Squeeze Momentum BUY SELL - CryptoBoostSqueeze momentum con Cipher pro para activar ordenes de compra y de venta. Modificado para la estrategia que usamos en nuestro fondo de inversiones
المؤشرات والاستراتيجيات
Ultimate Precision Buy/Sell Signals - Advanced Edition V1.01Ultimate Precision Buy/Sell Signals - Advanced Edition V1.01
Overview
This powerful TradingView indicator is designed for maximum precision in trading by utilizing a combination of EMA, RSI, ATR, ADX, Fibonacci extensions, and divergence detection to identify optimal buy and sell opportunities. The script is designed to help traders maximize profits while minimizing risk with advanced risk calculations and stop-loss mechanisms.
How to Use the Indicator
1. Buy and Sell Signals
BUY Signal (Green Label Below Candles):
RSI crosses above 30 (indicating an oversold recovery).
Price is below the EMA (indicating undervaluation).
ADX confirms a strong trend (if enabled).
📌 Action: Open a long position and set a stop-loss based on the risk level.
SELL Signal (Red Label Above Candles):
RSI crosses below 70 (indicating an overbought condition).
Price is above the EMA (indicating overextension).
ADX confirms a strong trend (if enabled).
📌 Action: Open a short position and set a stop-loss based on the risk level.
2. Risk and Profit Calculations
Risk Level is determined using ATR × Risk Multiplier.
Potential Profit is calculated as Risk Level × Risk-Reward Ratio.
These values are displayed in a floating label to help manage your trades efficiently.
📌 Tip: A higher Risk Multiplier means wider stop-losses, useful for volatile markets.
3. Trend Confirmation (ADX Filter)
If trend filtering is enabled, buy/sell signals will only appear in strong trends.
ADX must be above 25 to confirm that the market is trending.
📌 Tip: Use this to avoid false signals in ranging markets.
4. Divergence Detection
Bullish Divergence (Blue Circle Below Candles): Indicates a potential reversal upwards.
Bearish Divergence (Orange Circle Above Candles): Indicates a potential downward reversal.
📌 Tip: Divergences provide early warnings before market reversals.
5. Heatmap Visualization
Green Background: Indicates a high-confidence buy zone.
Red Background: Indicates a high-confidence sell zone.
📌 Tip: Use heatmaps to spot high-conviction trades.
6. Fibonacci-Based Take Profit (Optional)
If enabled, the script will use Fibonacci extensions instead of fixed risk-reward levels.
📌 Tip: Fibonacci-based TP works well in trending markets.
7. Alerts (No Need to Stare at the Charts!)
Set alerts for BUY and SELL signals.
TradingView will notify you when a perfect trade setup appears.
📌 Tip: Enable alerts in TradingView settings.
Socials & Live Stream Promotion 🚀
If you love this indicator and want to see it in action, check out my live trading sessions and content here:
🎥 YouTube: www.YouTube.com
🎮 Kick: www.Kick.com
🎥 Twitch: twitch.tv
👀 Follow me for more trading insights, strategies, and live action!
Funny Trading Joke to Brighten Your Day 😆
💬 Trader: "I lost my whole account today!"💬 Friend: "What happened?!"💬 Trader: "Well... I kept seeing those green candles and thought they were money-growing trees. Turns out they were just market traps!"😂😂😂
🚀 Smash that FOLLOW button if this indicator helps your trading! Let’s dominate the markets together! 📈🔥
Money Maykah -- MA slopesThe idea behind this script is to play with the idea of summing integration (IT) and differentiation (DT) of a T3 signal (smoothed with sma or ema). The sum is IT + DT.
Obviously this is not exactly these mathematical concepts, but what occurs is that it generates an oscillator that somewhat gets rid of skew in the oscillations in the market.
There is a signal IDE which sums the full IT + DT which shows a longer term oscillation. This will have a much larger range of numbers in amplitude so it may be a little annoying to move the scale around by hand. I don't care to fix this right now but I'm sure it can be done quite easily for someone else.
I was also playing with the idea of using a Normalization oscillator with this and seeing how the two compare and whether they could be used in some sort of strategy. Both have unpredictable behaviors but hey the market is unpredictable so have at it!
MI AI// TradingView Pine Script v6 для улучшенной адаптивной стратегии
//@version=6
strategy("Improved Adaptive Crypto Strategy", overlay=true)
// Настройка параметров с возможностью оптимизации
adxThreshold = input.int(20, title="ADX Threshold", minval=10, maxval=30, step=5) // Рекомендованный минимум для фильтрации трендов
bollMultiplier = input.float(2.0, title="Bollinger Bands Multiplier", minval=1.0, maxval=3.0, step=0.1) // Стандартное отклонение для полос Боллинджера
volumeMultiplier = input.float(1.0, title="Volume Multiplier", minval=0.5, maxval=2.0, step=0.1) // Множитель для фильтра объёма
// Статические значения индикаторов с настройкой через input
emaLongLength = input.int(100, title="EMA Long Length", minval=10, maxval=200)
emaShortLength = input.int(25, title="EMA Short Length", minval=5, maxval=50)
macdFast = input.int(8, title="MACD Fast Length", minval=5, maxval=50)
macdSlow = input.int(21, title="MACD Slow Length", minval=10, maxval=100)
macdSignal = input.int(6, title="MACD Signal Length", minval=3, maxval=50)
rsiLength = input.int(14, title="RSI Length", minval=5, maxval=50)
atrLength = input.int(14, title="ATR Length", minval=5, maxval=50)
bollLength = input.int(20, title="Bollinger Bands Length", minval=5, maxval=50)
trailStopMultiplier = input.float(1.5, title="Trailing Stop Multiplier", minval=0.5, maxval=3.0)
// Индикаторы
emaLong = ta.ema(close, emaLongLength)
emaShort = ta.ema(close, emaShortLength)
rsiValue = ta.rsi(close, rsiLength)
= ta.macd(close, macdFast, macdSlow, macdSignal)
adxPlus = ta.rma(math.max(ta.change(high) - ta.change(low), 0), adxThreshold)
adxMinus = ta.rma(math.max(ta.change(low) - ta.change(high), 0), adxThreshold)
adxValue = 100 * math.abs(adxPlus - adxMinus) / (adxPlus + adxMinus)
atrValue = ta.atr(atrLength)
= ta.bb(close, bollLength, bollMultiplier)
obv = ta.cum(volume * ((close > close ) ? 1 : (close < close ) ? -1 : 0))
// Тренд и объём
trendStrength = emaShort / emaLong
isUptrend = trendStrength > 1.01 and obv > obv
isDowntrend = trendStrength < 0.99 and obv < obv
volumeFilter = volume > ta.sma(volume, 20) * volumeMultiplier
// Сигналы MACD
macdCrossover = ta.crossover(macdLine, signalLine)
macdCrossunder = ta.crossunder(macdLine, signalLine)
// Условия входа и выхода
longCondition = isUptrend and macdCrossover and rsiValue > 50 and adxValue > adxThreshold and close > bollBasis and volumeFilter
shortCondition = isDowntrend and macdCrossunder and rsiValue < 50 and adxValue > adxThreshold and close < bollBasis and volumeFilter
exitLongCondition = rsiValue > 70 or close < emaShort
exitShortCondition = rsiValue < 30 or close > emaShort
// Управление рисками
stopLoss = 2.5 * atrValue
profitTarget = stopLoss * 2.5
trailingStop = trailStopMultiplier * atrValue
// Открытие и выход из позиций
if (longCondition)
strategy.entry("Long Entry", strategy.long)
strategy.exit("Long Exit", "Long Entry", stop=close - stopLoss, limit=close + profitTarget, trail_offset=trailingStop)
if (exitLongCondition)
strategy.close("Long Entry")
if (shortCondition)
strategy.entry("Short Entry", strategy.short)
strategy.exit("Short Exit", "Short Entry", stop=close + stopLoss, limit=close - profitTarget, trail_offset=trailingStop)
if (exitShortCondition)
strategy.close("Short Entry")
// Визуализация сигналов
plotshape(series=longCondition, location=location.belowbar, color=color.green, style=shape.triangleup, title="Long Signal")
plotshape(series=shortCondition, location=location.abovebar, color=color.red, style=shape.triangledown, title="Short Signal")
plotshape(series=exitLongCondition and strategy.position_size > 0, location=location.abovebar, color=color.blue, style=shape.labelup, title="Exit Long")
plotshape(series=exitShortCondition and strategy.position_size < 0, location=location.belowbar, color=color.orange, style=shape.labeldown, title="Exit Short")
Turn around Tuesday on Steroids Strategy█ STRATEGY DESCRIPTION
The "Turn around Tuesday on Steroids Strategy" is a mean-reversion strategy designed to identify potential price reversals at the start of the trading week. It enters a long position when specific conditions are met and exits when the price shows strength by exceeding the previous bar's high. This strategy is optimized for ETFs, stocks, and other instruments on the daily timeframe.
█ WHAT IS THE STARTING DAY?
The Starting Day determines the first day of the trading week for the strategy. It can be set to either Sunday or Monday, depending on the instrument being traded. For ETFs and stocks, Monday is recommended. For other instruments, Sunday is recommended.
█ SIGNAL GENERATION
1. LONG ENTRY
A Buy Signal is triggered when:
The current day is the first day of the trading week (either Sunday or Monday, depending on the Starting Day setting).
The close price is lower than the previous day's close (`close < close `).
The previous day's close is also lower than the close two days ago (`close < close `).
The signal occurs within the specified time window (between `Start Time` and `End Time`).
If the MA Filter is enabled, the close price must also be above the 200-period Simple Moving Average (SMA).
2. EXIT CONDITION
A Sell Signal is generated when the current closing price exceeds the high of the previous bar (`close > high `). This indicates that the price has shown strength, potentially confirming the reversal and prompting the strategy to exit the position.
█ ADDITIONAL SETTINGS
Starting Day: Determines the first day of the trading week. Options are Sunday or Monday. Default is Sunday.
Use MA Filter: Enables or disables the 200-period SMA filter for long entries. Default is disabled.
Start Time and End Time: The time window during which the strategy is allowed to execute trades.
█ PERFORMANCE OVERVIEW
This strategy is designed for markets with frequent weekly reversals.
It performs best in volatile conditions where price movements are significant at the start of the trading week.
Backtesting results should be analysed to optimize the Starting Day and MA Filter settings for specific instruments.
Order Block Detector v2.5 - CryptoBoost indicator Indicador para busqueda de Order Blocks. Los rojos son OB de venta, los verdes o azules son de compra. Complementa la estrategia con los demas que tambien tenemos.
Super Fibonacci by @imparablestradingEste sofisticado script de Pine Script (v6) integra un enfoque multidimensional para el análisis técnico, combinando niveles dinámicos de Fibonacci, confirmación de tendencias mediante el indicador ADX, detección de puntos de swing clave y análisis de recogida de liquidez en los mercados financieros. Diseñado con adaptabilidad en mente, ajusta parámetros como profundidad y volatilidad según el estilo de trading (intradía, swing o largo plazo) y utiliza herramientas avanzadas como fractales y el ATR para refinar sus cálculos. Su arquitectura permite representar visualmente tendencias, niveles clave y señales estratégicas, mientras gestiona eficientemente los elementos gráficos en el gráfico, lo que lo convierte en una herramienta poderosa y personalizada para traders técnicos en busca de precisión y claridad analítica.
Elite Trading Academy VolumeThis indicator is to be collaborated and used with our unique trading system, specifically for the people that we have taught.
If you are unable to use this indicator then please feel free to visit our website ETAforex and you have the opportunity to be taught by us via live video. You also have the opportunity to use our signal service.
For all of those that have been taught by us, then you know how to use this, and to use the correct settings for the ES System
Kamal 8 Tick Trading Setup//@version=5
indicator("Kamal 8 Tick Trading Setup", overlay=true)
// Define the length for the lookback period
length = 8
// Calculate the highest high and lowest low of the previous 'length' candles, excluding the current candle
highestHigh = ta.highest(high , length)
lowestLow = ta.lowest(low , length)
// Initialize a variable to track the current position
var int position = 0 // 0 = no position, 1 = buy, -1 = sell
// Generate Buy and Sell signals
buySignal = (close > highestHigh) and (position != 1)
sellSignal = (close < lowestLow) and (position != -1)
// Update the position variable
if (buySignal)
position := 1
if (sellSignal)
position := -1
// Plot Buy and Sell signals on the chart
plotshape(series=buySignal, location=location.belowbar, color=color.green, style=shape.labelup, text="BUY")
plotshape(series=sellSignal, location=location.abovebar, color=color.red, style=shape.labeldown, text="SELL")
// Debugging plots to check the highest high and lowest low
plot(highestHigh, color=color.blue, title="Highest High")
plot(lowestLow, color=color.orange, title="Lowest Low")
Comprehensive Volume and Metrics with Pre-Market Volume Data
This script is designed for traders who want a detailed view of market activity, including regular market and pre-market volume, dollar volume, relative volume (RVOL), average daily range (ADR), average true range (ATR), relative strength index (RSI), and the QQQ’s percentage change.
The script includes customizable metrics displayed in tables on the chart for easy analysis, with the option to toggle the visibility of each metric.
Key Features:
Volume and Dollar Volume:
Displays the volume of shares traded during the current day (or pre-market, if enabled).
Includes a calculation of dollar volume, representing the total dollar amount of trades (Volume × Close Price).
Relative Volume (RVOL):
Displays RVOL Day, which is the relative volume of the current day compared to the 2-day moving average.
Shows RVOL 90D, indicating relative volume over the past 90 days.
Both RVOL metrics are calculated as percentages and display the percentage change compared to the standard (100%).
Pre-Market Data:
Includes pre-market volume (PVOL) and pre-market dollar volume (P$ VOL) which are displayed only if pre-market data is enabled.
Tracks volume and dollar volume during pre-market hours (4:00 AM to 9:30 AM Eastern Time) for more in-depth analysis.
Optionally, shows pre-market RSI based on volume-weighted close prices.
Average Daily Range (ADR):
Displays the percentage change between the highest and lowest prices over the defined ADR period (default is 20 days).
Average True Range (ATR):
Shows the ATR, a popular volatility indicator, for a given period (default is 14 bars).
RSI (Relative Strength Index):
Displays RSI for the given period (default is 14).
RSI is calculated using pre-market data when available.
QQQ:
Shows the percentage change of the QQQ ETF from the previous day’s close.
The QQQ percentage change is color-coded: green for positive, red for negative, and gray for no change.
Customizable Inputs:
Visibility Options: Toggle the visibility of each metric, such as volume, dollar volume, RVOL, ADR, ATR, RSI, and QQQ.
Pre-Market Data: Enable or disable the display of pre-market data for volume and dollar volume.
Table Positioning: Adjust the position of tables displaying the metrics either at the bottom-left or bottom-right of the chart.
Text Color and Table Background: Choose between white or black text for the tables and customize the background color.
Tables:
The script utilizes tables to display multiple metrics in an organized and easy-to-read format.
The values are updated dynamically, reflecting real-time data as the market moves.
Pre-Market Data:
The script calculates pre-market volume and dollar volume, along with other key metrics like RSI and RVOL, to help assess market sentiment before the market officially opens.
The pre-market data is accumulated from 4:00 AM to 9:30 AM ET, allowing for pre-market analysis and comparison to regular market hours.
User-Friendly and Flexible:
This script is designed to be highly customizable, giving you the ability to toggle which metrics to display and where they appear on the chart. You can easily focus on the data that matters most to your trading strategy.
RSI OB/OS Strategy Analyzer█ OVERVIEW
The RSI OB/OS Strategy Analyzer is a comprehensive trading tool designed to help traders identify and evaluate overbought/oversold reversal opportunities using the Relative Strength Index (RSI). It provides visual signals, performance metrics, and a detailed table to analyze the effectiveness of RSI-based strategies over a user-defined lookback period.
█ KEY FEATURES
RSI Calculation
Calculates RSI with customizable period (default 14)
Plots dynamic overbought (70) and oversold (30) levels
Adds background coloring for OB/OS regions
Reversal Signals
Identifies signals based on RSI crossing OB/OS levels
Two entry strategies available:
Revert Cross: Triggers when RSI exits OB/OS zone
Cross Threshold: Triggers when RSI enters OB/OS zone
Trade Direction
Users can select a trade bias:
Long: Focuses on oversold reversals (bullish signals)
Short: Focuses on overbought reversals (bearish signals)
Performance Metrics
Calculates three key statistics for each lookback period:
Win Rate: Percentage of profitable trades
Mean Return: Average return across all trades
Median Return: Median return across all trades
Metrics calculated as percentage changes from entry price
Visual Signals
Dual-layer signal display:
BUY: Green triangles + text labels below price
SELL: Red triangles + text labels above price
Semi-transparent background highlighting in OB/OS zones
Performance Table
Interactive table showing metrics for each lookback period
Color-coded visualization:
Win Rate: Gradient from red (low) to green (high)
Returns: Green for positive, red for negative
Time Filtering
Users can define a specific time window for the indicator to analyze trades, ensuring that performance metrics are calculated only for the desired period.
Customizable Display
Adjustable table font sizes: Auto/Small/Normal/Large
Toggle option for table visibility
█ PURPOSE
The RSI OB/OS Strategy Analyzer helps traders:
Identify mean-reversion opportunities through RSI extremes
Backtest entry strategy effectiveness across multiple time horizons
Optimize trade timing through visual historical performance data
Quickly assess strategy robustness with color-coded metrics
█ IDEAL USERS
Counter-Trend Traders: Looking to capitalize on RSI extremes
Systematic Traders: Needing quantitative strategy validation
Educational Users: Studying RSI behavior in different market conditions
Multi-Timeframe Analysts: Interested in forward returns analysis
EMA with Bar Count
---
### **Key Features and Functionalities**
#### 1. **Multi-Timeframe Exponential Moving Averages (EMA)**
- The script calculates and plots EMAs for various timeframes (e.g., 1 minute, 5 minutes, 60 minutes, daily, and custom intervals).
- Users can customize the length and resolution of each EMA using inputs.
- Different colors are assigned to each EMA for easy identification on the chart.
#### 2. **Background Coloring**
- Optional background coloring (`bgcolor`) indicates whether the current price is above or below the 1-hour 20 EMA.
- Green indicates the price is above, and red indicates the price is below the EMA.
#### 3. **Bar Count Labeling**
- The script tracks bar counts and displays labels at specific intervals (e.g., every 3 bars).
- Label size and text color can be customized through user inputs.
#### 4. **Inside and Outside Bar Detection**
- Detects and highlights "Inside Bars" and "Outside Bars" on the chart.
- **Inside Bar**: The current bar's high and low are within the previous bar's range.
- **Outside Bar**: The current bar's range exceeds the previous bar's range.
- These patterns are marked with shapes for visual identification.
#### 5. **Bullish/Bearish Candle Streaks**
- Identifies and marks streaks of three consecutive bullish or bearish candles.
- **Bullish Streaks**: Marked with green shapes above the bar.
- **Bearish Streaks**: Marked with red shapes above the bar.
#### 6. **Time-Based Marking**
- The script includes an option to highlight specific time intervals (e.g., 7:30 AM) with a colored vertical line or background shading.
- Configurable time inputs allow flexibility.
#### 7. **Micro Gap Detection**
- Highlights gaps between the opening price of the current bar and the closing price of the previous bar.
- Blue shapes indicate bullish gaps.
- Purple shapes indicate bearish gaps.
#### 8. **TR (Trading Range) Detection**
- Identifies bars with significant overlap based on a user-defined threshold.
- Displays "TR" labels when overlap conditions are met.
#### 9. **Bar Coloring**
- Optionally colors bars based on specific conditions:
- Green: Bullish breakout (high and low higher than the previous bar, closing above the midpoint).
- Red: Bearish breakout (high and low lower than the previous bar, closing below the midpoint).
#### 10. **50% Midpoint Line**
- Displays a horizontal line at the 50% midpoint of the bar's range, customizable for the current or last bar only.
#### 11. **Pattern Detection**
- Recognizes specific candlestick patterns (e.g., IOI, OII, IOO).
- Provides alerts for detected patterns or predefined thresholds.
#### 12. **Alerts**
- Configurable alerts for:
- Specific patterns (e.g., IOI, OII, IOO).
- Bar range exceeding a user-defined threshold.
- Bullish or bearish streaks.
#### 13. **Gap Detector**
- Identifies gaps between bars and marks them with shaded boxes.
- Bullish gaps are shaded green, while bearish gaps are shaded red.
#### 14. **Advanced Customization**
- Extensive user inputs allow traders to tailor the indicator to their trading style.
- Includes support for various levels of detail (e.g., debug mode, label visibility, etc.).
#### 15. **ZigZag and Wedge Patterns**
- Optional zigzag lines to connect swing highs and lows.
- Detects wedge patterns using customizable settings for pivot points and angle differences.
---
### **Use Case Scenarios**
1. **Trend Identification**: Use multi-timeframe EMAs to confirm overall market direction.
2. **Range Trading**: Trade within ranges using detected inside and outside bars as key levels.
3. **Breakout Trading**: Use patterns like IOI and OII to anticipate breakouts.
4. **Scalping**: Exploit bullish and bearish streaks or micro gaps for quick trades.
5. **Pattern-Based Alerts**: Set up alerts for specific market conditions or candlestick patterns.
### **Why This Indicator Is Useful**
- Combines multiple trading tools into a single, customizable script.
- Saves time by automating complex calculations and pattern detections.
- Improves decision-making with clear visual cues and configurable alerts.
Let me know if you'd like any additional explanations or adjustments!
Multiasset MVRVZ - MVRVZ for Multiple Crypto Assets [Da_Prof]This indicator shows the Market Value-Realized Value Z-score (MVRVZ) for Multiple Assets. The MVRV-Z score measures the value of a crypto asset by comparing its market cap to the realized value and dividing by the standard deviation of the market cap (market cap – realized cap) / stdev(market cap) to get a z-score. When the market value is significantly higher than the realized value, the asset may be considered "overvalued". Conversely, market values below the realized value may indicate the asset is "undervalued". For some assets (e.g., BTC) historically high values have generally signaled price tops and historically low values have signaled bottoms.
The indicator displays two lines: 1) the MVRV-Z of the current chart symbol if the data is available through Coin Metrics (this is displayed in light blue), and 2) the MVRV-Z of the symbol selected from the dropdown (displayed in orange). The MVRV-Z of BTC is the default selected orange line. The example chart shows CRYPTOCAP:ETH 's MVRV-Z in blue and CRYPTOCAP:BTC 's MVRV-Z in orange.
The MVRV-Z in this indicator is calculated on the weekly and will display consistently on lower timeframes. Some MVRV-Z indicators calculate this value from collection of all data from the beginning of the chart on the timeframe of the chart. This creates inconsistency in the standard deviation calculation and ultimately the z-score calculation when moving between time frames. This indicator calculates MVRV-Z based on the set number of weeks prior from the source data directly (default is two years worth of weekly data). This allows consistent MVRV-Z values on weekly and lower timeframes.
Triple Supertrend avec indicateursBonjour,
Voici mon tout premier bout de script sur Trading View 👨💻
De ce fait, il n'est pas parfait et le code n'est pas très clean...
Il a été codé suite à l'exercice proposé dans cet article expliquant le SuperTrend : substack.com
Au plaisir de recevoir des commentaires ou de l'aide pour l'améliorer, notamment avec d'autres indicateurs 👍
👀 Par curiosité, j'ai passé tout le #CAC40 🇫🇷 avec l'indicateur Triple SuperTrend en hebdomadaire, et les résultats vont vous étonner 📈📊
✅ Actions qui viennent d'entrer dans un cycle positif :
✈️ Airbus EURONEXT:AIR ⭐️ ~163€
👜 Hermès EURONEXT:RMS ⭐️ ~2536€
📢 Publicis GETTEX:PUB ⭐️ ~101€
🚗 Renault EURONEXT:RNO ⭐️ ~48€
✅ Actions déjà installées dans un cycle positif :
🏨 Accor TSX:AC
⛏️ ArcelorMittal NYSE:MT
🏦 Axa EURONEXT:CS
📋 Bureau Veritas EURONEXT:BVI
🥛 Danone NYSE:BN
🔥 Engie EURONEXT:ENGI
👓 EssilorLuxottica NYSE:EL
🔌 Legrand EURONEXT:LR
✈️ Safran EURONEXT:SAF
🏠 Saint-Gobain EURONEXT:SGO
⚡ Schneider Electric NYSE:SU
🏬 Unibail-Rodamco-Westfield EURONEXT:URW
❌ Actions en cycle négatif ou hors cycle :
💨 Air Liquide NYSE:AI
🏦 BNP Paribas EURONEXT:BNP
🏗️ Bouygues EURONEXT:EN
💻 Capgemini EURONEXT:CAP
🛒 Carrefour EURONEXT:CA
💶 Crédit Agricole EURONEXT:ACA
✈️ Dassault Systèmes EURONEXT:DSY
💳 Edenred CBOE:EDEN
🧪 Eurofins EURONEXT:ERF
👜 Kering EURONEXT:KER
💄 L'Oréal SET:OR
🎩 LVMH EURONEXT:MC
🚙 Michelin EURONEXT:ML
📞 Orange EURONEXT:ORA
🥃 Pernod Ricard EURONEXT:RI
💊 Sanofi BME:SAN
🚗 Stellantis EURONEXT:STLAP
💡 STMicroelectronics EURONEXT:STMPA
🖥️ Teleperformance EURONEXT:TEP
🛡️ Thales EURONEXT:HO
⛽ TotalEnergies EURONEXT:TTE
🌊 Veolia EURONEXT:VIE
🚧 Vinci NYSE:DG
RSI Ultimate Optime Zones CryptoBoostIndicador modificado de RSI con zonas optimas de entrada y salida. Complemento de la estrategia de CryptoBoost Inversiones
Consecutive Bars Above/Below EMA Buy the Dip Strategy█ STRATEGY DESCRIPTION
The "Consecutive Bars Above/Below EMA Buy the Dip Strategy" is a mean-reversion strategy designed to identify potential buying opportunities when the price dips below a moving average for a specified number of consecutive bars. It enters a long position when the dip condition is met and exits when the price shows strength by exceeding the previous bar's high. This strategy is suitable for use on various timeframes.
█ WHAT IS THE MOVING AVERAGE?
The strategy uses either a Simple Moving Average (SMA) or an Exponential Moving Average (EMA) as a reference for identifying dips. The type and length of the moving average can be customized in the settings.
█ SIGNAL GENERATION
1. LONG ENTRY
A Buy Signal is triggered when:
The close price is below the selected moving average for a specified number of consecutive bars (`consecutiveBarsTreshold`).
The signal occurs within the specified time window (between `Start Time` and `End Time`).
2. EXIT CONDITION
A Sell Signal is generated when the current closing price exceeds the high of the previous bar (`close > high `). This indicates that the price has shown strength, potentially confirming the reversal and prompting the strategy to exit the position.
█ ADDITIONAL SETTINGS
Consecutive Bars Threshold: The number of consecutive bars the price must remain below the moving average to trigger a Buy Signal. Default is 3.
MA Type: The type of moving average used (SMA or EMA). Default is SMA.
MA Length: The length of the moving average. Default is 5.
Start Time and End Time: The time window during which the strategy is allowed to execute trades.
█ PERFORMANCE OVERVIEW
This strategy is designed for mean-reverting markets and performs best when the price frequently oscillates around the moving average.
It is sensitive to the number of consecutive bars below the moving average, which helps to identify potential dips.
Backtesting results should be analysed to optimize the Consecutive Bars Threshold, MA Type, and MA Length for specific instruments.
3-Bar Low Strategy█ STRATEGY DESCRIPTION
The "3-Bar Low Strategy" is a mean-reversion strategy designed to identify potential buying opportunities when the price drops below the lowest low of the previous three bars. It enters a long position when specific conditions are met and exits when the price exceeds the highest high of the previous seven bars. This strategy is suitable for use on various timeframes.
█ WHAT IS THE 3-BAR LOW?
The 3-Bar Low is the lowest price observed over the last three bars. This level is used as a reference to identify potential oversold conditions and reversal points.
█ WHAT IS THE 7-BAR HIGH?
The 7-Bar High is the highest price observed over the last seven bars. This level is used as a reference to identify potential overbought conditions and exit points.
█ SIGNAL GENERATION
1. LONG ENTRY
A Buy Signal is triggered when:
The close price is below the lowest low of the previous three bars (`close < _lowest `).
The signal occurs within the specified time window (between `Start Time` and `End Time`).
If the EMA Filter is enabled, the close price must also be above the 200-period Exponential Moving Average (EMA).
2. EXIT CONDITION
A Sell Signal is generated when the current closing price exceeds the highest high of the previous seven bars (`close > _highest `). This indicates that the price has shown strength, potentially confirming the reversal and prompting the strategy to exit the position.
█ ADDITIONAL SETTINGS
MA Period: The lookback period for the 200-period EMA used in the EMA Filter. Default is 200.
Use EMA Filter: Enables or disables the EMA Filter for long entries. Default is disabled.
Start Time and End Time: The time window during which the strategy is allowed to execute trades.
█ PERFORMANCE OVERVIEW
This strategy is designed for mean-reverting markets and performs best when the price frequently oscillates around key support and resistance levels.
It is sensitive to oversold conditions, as indicated by the 3-Bar Low, and overbought conditions, as indicated by the 7-Bar High.
Backtesting results should be analyzed to optimize the MA Period and EMA Filter settings for specific instruments.
Bollinger Bands Reversal Strategy Analyzer█ OVERVIEW
The Bollinger Bands Reversal Overlay is a versatile trading tool designed to help traders identify potential reversal opportunities using Bollinger Bands. It provides visual signals, performance metrics, and a detailed table to analyze the effectiveness of reversal-based strategies over a user-defined lookback period.
█ KEY FEATURES
Bollinger Bands Calculation
The indicator calculates the standard Bollinger Bands, consisting of:
A middle band (basis) as the Simple Moving Average (SMA) of the closing price.
An upper band as the basis plus a multiple of the standard deviation.
A lower band as the basis minus a multiple of the standard deviation.
Users can customize the length of the Bollinger Bands and the multiplier for the standard deviation.
Reversal Signals
The indicator identifies potential reversal signals based on the interaction between the price and the Bollinger Bands.
Two entry strategies are available:
Revert Cross: Waits for the price to close back above the lower band (for longs) or below the upper band (for shorts) after crossing it.
Cross Threshold: Triggers a signal as soon as the price crosses the lower band (for longs) or the upper band (for shorts).
Trade Direction
Users can select a trade bias:
Long: Focuses on bullish reversal signals.
Short: Focuses on bearish reversal signals.
Performance Metrics
The indicator calculates and displays the performance of trades over a user-defined lookback period ( barLookback ).
Metrics include:
Win Rate: The percentage of trades that were profitable.
Mean Return: The average return across all trades.
Median Return: The median return across all trades.
These metrics are calculated for each bar in the lookback period, providing insights into the strategy's performance over time.
Visual Signals
The indicator plots buy and sell signals on the chart:
Buy Signals: Displayed as green triangles below the price bars.
Sell Signals: Displayed as red triangles above the price bars.
Performance Table
A customizable table is displayed on the chart, showing the performance metrics for each bar in the lookback period.
The table includes:
Win Rate: Highlighted with gradient colors (green for high win rates, red for low win rates).
Mean Return: Colored based on profitability (green for positive returns, red for negative returns).
Median Return: Colored similarly to the mean return.
Time Filtering
Users can define a specific time window for the indicator to analyze trades, ensuring that performance metrics are calculated only for the desired period.
Customizable Display
The table's font size can be adjusted to suit the user's preference, with options for "Auto," "Small," "Normal," and "Large."
█ PURPOSE
The Bollinger Bands Reversal Overlay is designed to:
Help traders identify high-probability reversal opportunities using Bollinger Bands.
Provide actionable insights into the performance of reversal-based strategies.
Enable users to backtest and optimize their trading strategies by analyzing historical performance metrics.
█ IDEAL USERS
Swing Traders: Looking for reversal opportunities within a trend.
Mean Reversion Traders: Interested in trading price reversals to the mean.
Strategy Developers: Seeking to backtest and refine Bollinger Bands-based strategies.
Performance Analysts: Wanting to evaluate the effectiveness of reversal signals over time.
Engolfo com Força//@version=5
indicator("Engolfo com Força", overlay=true)
// Detectar Engolfo com Confirmação
engolfoAlta = (close < open ) and (close > open) and (close > high ) and (open <= close )
engolfoBaixa = (close > open ) and (close < open) and (close < low ) and (open >= close )
// Determinar força compradora ou vendedora
forcaCompradora = engolfoAlta and ((close - open) > (open - low))
forcaVendedora = engolfoBaixa and ((open - close) > (high - open))
// Definir cores com base na força
corAlta = forcaCompradora ? #006400 : #00FF00 // Verde escuro para força compradora, verde claro para padrão normal
corBaixa = forcaVendedora ? #8B0000 : #FF0000 // Vermelho escuro para força vendedora, vermelho claro para padrão normal
// Plotando setas
plotshape(series=engolfoAlta, location=location.belowbar, color=color.new(corAlta, 0), style=shape.labelup, title="Call")
plotshape(series=engolfoBaixa, location=location.abovebar, color=color.new(corBaixa, 0), style=shape.labeldown, title="Putt")
GMAX-Smart-Single-CCICCI Length: (Default: 84) - The lookback period for CCI calculations.
Upper Threshold: (Default: 72) - The level above which the asset is considered overbought.
Lower Threshold: (Default: -72) - The level below which the asset is considered oversold.
Source: (Default: Close) - The price data used to calculate the CCI.
Show CCI in Subchart: (Default: True) - Toggle to display the CCI as a subchart.
Use Cases:
Trend Confirmation: Use the CCI to confirm the strength of trends.
Overbought/Oversold Conditions: Identify potential reversal zones.
Auto Fibonacci Retracement by YilmazerBelirtilen bar sayısı ve fibonacci değerlerine göre fibonacci düzeltme seviyelerini grafik üzerinde çizer. Eğer grafikte belirtilenden daha az bar var ise bu durumda grafikte yer alan max bar sayısını dikkate alarak çizim yapar.
Draws Fibonacci retracement levels on the chart based on the specified number of bars and Fibonacci values. If the chart has fewer bars than specified, it uses the maximum number of bars available on the chart for drawing.