HBND ReferenceChart the HBND as an index based on weighting found on the HBND Etf website. For best results display the adjusted close since HBND is a high yielding fund. The weightings have to be updated manually.
There are three display options:
1. Normalize the index relative to the symbol on the chart (presumably HBND) and this is the default.
2. Percentage change relative to the first bar of the index
3. The raw value which will be the tlt price * tlt percentage weighting + vglt price * vglt percentage weighting + edv percentage weighting * edv price.
インジケーターとストラテジー
ALTIN - XAUTRYG % Fiyat Farkı AlarmıThis indicator calculates the percentage difference between GOLD and XAUTRYG prices, displays it visually as a label and generates an alarm when it goes below the threshold value you set.
🔍 Features:
✅ Calculates the **percentage price difference** between GOLD and XAUTRYG
✅ User-defined 3 level colour threshold: e.g. 1-2-3% → green-yellow-orange-red
✅ Increase/decrease indication with **🔼 / 🔽 direction arrow** according to the changing difference
✅ Comment based on its position in the last 20 bars:
- (**HIGHEST** of the last 20 bars)
- (**LOWEST** of the last 20 bars)
✅ Only visible on **GOLD** or **XAUTRYG** chart
✅ Alarm condition: Triggered when the difference falls below the set percentage threshold value
💡 What does it do?
This tool is ideal for investors who want to analyse the price difference between gram gold mint and spot gold, observe **arbitrage opportunities** and receive **alerts** at certain levels.
📈 Quickly recognise when the price gap widens or narrows.
🔔 Don't miss opportunities by setting an alarm if you wish!
💬 I welcome your improvement suggestions and feedback.
TREND and ZL FLOWHow It Helps Traders
Trend Identification with T3 Moving Average
The script calculates a T3 moving average using a smoother version of traditional moving averages, reducing lag and providing a clearer view of trend direction.
A histogram is plotted, where green bars indicate an uptrend and red bars signal a downtrend. This helps traders visually confirm the market trend and avoid false signals.
Zero Lag Moving Average (ZLMA) for Faster Reversals
The ZLMA is designed to react more quickly to price changes while minimizing lag. It helps traders spot trend reversals sooner than traditional moving averages.
The line color changes green for bullish momentum and red for bearish momentum, making it easier to spot shifts in direction.
Overall, this indicator is useful for trend-following traders who want to capture momentum shifts efficiently. It can be particularly helpful for day traders and swing traders looking for early trend confirmation and automated trade signals.
Fuzzy SMA Trend Analyzer (experimental)[FibonacciFlux]Fuzzy SMA Trend Analyzer (Normalized): Advanced Market Trend Detection Using Fuzzy Logic Theory
Elevate your technical analysis with institutional-grade fuzzy logic implementation
Research Genesis & Conceptual Framework
This indicator represents the culmination of extensive research into applying fuzzy logic theory to financial markets. While traditional technical indicators often produce binary outcomes, market conditions exist on a continuous spectrum. The Fuzzy SMA Trend Analyzer addresses this limitation by implementing a sophisticated fuzzy logic system that captures the nuanced, multi-dimensional nature of market trends.
Core Fuzzy Logic Principles
At the heart of this indicator lies fuzzy logic theory - a mathematical framework designed to handle imprecision and uncertainty:
// Improved fuzzy_triangle function with guard clauses for NA and invalid parameters.
fuzzy_triangle(val, left, center, right) =>
if na(val) or na(left) or na(center) or na(right) or left > center or center > right // Guard checks
0.0
else if left == center and center == right // Crisp set (single point)
val == center ? 1.0 : 0.0
else if left == center // Left-shoulder shape (ramp down from 1 at center to 0 at right)
val >= right ? 0.0 : val <= center ? 1.0 : (right - val) / (right - center)
else if center == right // Right-shoulder shape (ramp up from 0 at left to 1 at center)
val <= left ? 0.0 : val >= center ? 1.0 : (val - left) / (center - left)
else // Standard triangle
math.max(0.0, math.min((val - left) / (center - left), (right - val) / (right - center)))
This implementation of triangular membership functions enables the indicator to transform crisp numerical values into degrees of membership in linguistic variables like "Large Positive" or "Small Negative," creating a more nuanced representation of market conditions.
Dynamic Percentile Normalization
A critical innovation in this indicator is the implementation of percentile-based normalization for SMA deviation:
// ----- Deviation Scale Estimation using Percentile -----
// Calculate the percentile rank of the *absolute* deviation over the lookback period.
// This gives an estimate of the 'typical maximum' deviation magnitude recently.
diff_abs_percentile = ta.percentile_linear_interpolation(math.abs(raw_diff), normLookback, percRank) + 1e-10
// ----- Normalize the Raw Deviation -----
// Divide the raw deviation by the estimated 'typical max' magnitude.
normalized_diff = raw_diff / diff_abs_percentile
// ----- Clamp the Normalized Deviation -----
normalized_diff_clamped = math.max(-3.0, math.min(3.0, normalized_diff))
This percentile normalization approach creates a self-adapting system that automatically calibrates to different assets and market regimes. Rather than using fixed thresholds, the indicator dynamically adjusts based on recent volatility patterns, significantly enhancing signal quality across diverse market environments.
Multi-Factor Fuzzy Rule System
The indicator implements a comprehensive fuzzy rule system that evaluates multiple technical factors:
SMA Deviation (Normalized): Measures price displacement from the Simple Moving Average
Rate of Change (ROC): Captures price momentum over a specified period
Relative Strength Index (RSI): Assesses overbought/oversold conditions
These factors are processed through a sophisticated fuzzy inference system with linguistic variables:
// ----- 3.1 Fuzzy Sets for Normalized Deviation -----
diffN_LP := fuzzy_triangle(normalized_diff_clamped, 0.7, 1.5, 3.0) // Large Positive (around/above percentile)
diffN_SP := fuzzy_triangle(normalized_diff_clamped, 0.1, 0.5, 0.9) // Small Positive
diffN_NZ := fuzzy_triangle(normalized_diff_clamped, -0.2, 0.0, 0.2) // Near Zero
diffN_SN := fuzzy_triangle(normalized_diff_clamped, -0.9, -0.5, -0.1) // Small Negative
diffN_LN := fuzzy_triangle(normalized_diff_clamped, -3.0, -1.5, -0.7) // Large Negative (around/below percentile)
// ----- 3.2 Fuzzy Sets for ROC -----
roc_HN := fuzzy_triangle(roc_val, -8.0, -5.0, -2.0)
roc_WN := fuzzy_triangle(roc_val, -3.0, -1.0, -0.1)
roc_NZ := fuzzy_triangle(roc_val, -0.3, 0.0, 0.3)
roc_WP := fuzzy_triangle(roc_val, 0.1, 1.0, 3.0)
roc_HP := fuzzy_triangle(roc_val, 2.0, 5.0, 8.0)
// ----- 3.3 Fuzzy Sets for RSI -----
rsi_L := fuzzy_triangle(rsi_val, 0.0, 25.0, 40.0)
rsi_M := fuzzy_triangle(rsi_val, 35.0, 50.0, 65.0)
rsi_H := fuzzy_triangle(rsi_val, 60.0, 75.0, 100.0)
Advanced Fuzzy Inference Rules
The indicator employs a comprehensive set of fuzzy rules that encode expert knowledge about market behavior:
// --- Fuzzy Rules using Normalized Deviation (diffN_*) ---
cond1 = math.min(diffN_LP, roc_HP, math.max(rsi_M, rsi_H)) // Strong Bullish: Large pos dev, strong pos roc, rsi ok
strength_SB := math.max(strength_SB, cond1)
cond2 = math.min(diffN_SP, roc_WP, rsi_M) // Weak Bullish: Small pos dev, weak pos roc, rsi mid
strength_WB := math.max(strength_WB, cond2)
cond3 = math.min(diffN_SP, roc_NZ, rsi_H) // Weakening Bullish: Small pos dev, flat roc, rsi high
strength_N := math.max(strength_N, cond3 * 0.6) // More neutral
strength_WB := math.max(strength_WB, cond3 * 0.2) // Less weak bullish
This rule system evaluates multiple conditions simultaneously, weighting them by their degree of membership to produce a comprehensive trend assessment. The rules are designed to identify various market conditions including strong trends, weakening trends, potential reversals, and neutral consolidations.
Defuzzification Process
The final step transforms the fuzzy result back into a crisp numerical value representing the overall trend strength:
// --- Step 6: Defuzzification ---
denominator = strength_SB + strength_WB + strength_N + strength_WBe + strength_SBe
if denominator > 1e-10 // Use small epsilon instead of != 0.0 for float comparison
fuzzyTrendScore := (strength_SB * STRONG_BULL +
strength_WB * WEAK_BULL +
strength_N * NEUTRAL +
strength_WBe * WEAK_BEAR +
strength_SBe * STRONG_BEAR) / denominator
The resulting FuzzyTrendScore ranges from -1 (strong bearish) to +1 (strong bullish), providing a smooth, continuous evaluation of market conditions that avoids the abrupt signal changes common in traditional indicators.
Advanced Visualization with Rainbow Gradient
The indicator incorporates sophisticated visualization using a rainbow gradient coloring system:
// Normalize score to for gradient function
normalizedScore = na(fuzzyTrendScore) ? 0.5 : math.max(0.0, math.min(1.0, (fuzzyTrendScore + 1) / 2))
// Get the color based on gradient setting and normalized score
final_color = get_gradient(normalizedScore, gradient_type)
This color-coding system provides intuitive visual feedback, with color intensity reflecting trend strength and direction. The gradient can be customized between Red-to-Green or Red-to-Blue configurations based on user preference.
Practical Applications
The Fuzzy SMA Trend Analyzer excels in several key applications:
Trend Identification: Precisely identifies market trend direction and strength with nuanced gradation
Market Regime Detection: Distinguishes between trending markets and consolidation phases
Divergence Analysis: Highlights potential reversals when price action and fuzzy trend score diverge
Filter for Trading Systems: Provides high-quality trend filtering for other trading strategies
Risk Management: Offers early warning of potential trend weakening or reversal
Parameter Customization
The indicator offers extensive customization options:
SMA Length: Adjusts the baseline moving average period
ROC Length: Controls momentum sensitivity
RSI Length: Configures overbought/oversold sensitivity
Normalization Lookback: Determines the adaptive calculation window for percentile normalization
Percentile Rank: Sets the statistical threshold for deviation normalization
Gradient Type: Selects the preferred color scheme for visualization
These parameters enable fine-tuning to specific market conditions, trading styles, and timeframes.
Acknowledgments
The rainbow gradient visualization component draws inspiration from LuxAlgo's "Rainbow Adaptive RSI" (used under CC BY-NC-SA 4.0 license). This implementation of fuzzy logic in technical analysis builds upon Fermi estimation principles to overcome the inherent limitations of crisp binary indicators.
This indicator is shared under Attribution-NonCommercial-ShareAlike 4.0 International (CC BY-NC-SA 4.0) license.
Remember that past performance does not guarantee future results. Always conduct thorough testing before implementing any technical indicator in live trading.
RSI-EMA-WRIntroduction to the RSI-EMA-WR Indicator
The RSI-EMA-WR indicator is a powerful technical analysis tool that combines three popular indicators: the Relative Strength Index (RSI), the Exponential Moving Average (EMA) of the RSI, and the Williams %R (WPR). This indicator is designed to provide a comprehensive view of market momentum, helping traders identify potential entry points and make more informed trading decisions.
Key Components:
Relative Strength Index (RSI):
Measures the speed and change of price movements.
Identifies overbought and oversold conditions.
RSI above 70 is generally considered overbought, and below 30 is considered oversold.
Exponential Moving Average (EMA) of RSI:
Smooths the RSI line, helping to identify trends more clearly.
Reduces noise and provides more accurate trading signals.
Williams %R (WPR):
Measures overbought and oversold levels in the short term.
Confirms signals from the RSI and EMA.
WPR above -20 is generally considered overbought, and below -80 is considered oversold.
Advantages of the RSI-EMA-WR Indicator:
Combines multiple indicators: Provides a comprehensive view of market momentum.
Identifies buy/sell signals: Generates clear trading signals based on the combination of RSI, EMA, and WPR.
Filters noise: The EMA helps to smooth the RSI, reducing false signals.
Easy to use: Input parameters can be customized to suit different trading styles.
How to Use the RSI-EMA-WR Indicator:
Buy signal: When both the RSI and WPR are in the oversold region, and the RSI crosses above the EMA.
Sell signal: When both the RSI and WPR are in the overbought region, and the RSI crosses below the EMA.
Trend confirmation: Use the EMA to determine the overall market trend.
Important Notes:
No indicator guarantees 100% success.
It is recommended to combine the RSI-EMA-WR with other technical analysis tools to increase accuracy.
Always practice careful risk management when trading.
The RSI-EMA-WR indicator is a powerful tool that can help traders make more informed trading decisions. However, it is important to understand how the indicator works and use it with caution.
TSLA 15min Buy/Sell SignalsBasic buy/sell signals for TSLA at 15m - EMA Fast and Slow with visual indicators for the buy and sell.
Smart Money Concepts (SMC) Indicator for Altcoin Scalpingquent movement. It implements filtering mechanisms to display only relevant order blocks and differentiates between premium and discount zones.
2. Multi-timeframe Analysis
Order blocks are detected across three timeframes (1-minute, 5-minute, and 15-minute), with visual differentiation between zones from different timeframes. The indicator includes a confluence detector that identifies when zones from multiple timeframes overlap, highlighting these high-probability areas.
3. Liquidity Analysis
The indicator detects areas of high liquidation activity, identifies stop hunts and liquidity sweeps, and monitors the formation of fresh order blocks that indicate smart money activity.
4. Entry, Stop-Loss, and Take-Profit Signals
Clear entry signals are generated when price approaches validated order blocks, with adaptive stop-loss placement based on market volatility and zone strength. Take-profit targets are calculated using risk-to-reward multipliers, and the risk-to-reward ratio is displayed for each potential trade.
5. Volume Profile Integration
Volume analysis is integrated to confirm order block validity, with anomalous volume spikes highlighted and a volume-weighted effectiveness score assigned to each zone.
6. Technical Indicator Integration
The indicator incorporates customizable momentum oscillators (RSI and MACD) to confirm zone strength, with divergence detection to enhance entry accuracy.
7. Performance Metrics
Historical performance tracking is included, calculating win rate, average risk-to-reward ratio, and expectancy for generated signals, with a performance index score for each trading opportunity.
8. Alert System
Comprehensive alerts are implemented for approaches to order blocks, entries, take-profits, and stop-losses, with priority alerts based on zone strength and multi-timeframe confluence.
9. Visual Design
The indicator uses distinct color schemes for bearish and bullish order blocks, with transparency options to maintain chart clarity. Features can be toggled on/off for customization, and clear visual indicators are provided for entry, stop-loss, and take-profit levels.
10. Automatic Detection and Optimization
The indicator provides fully automated identification of all zones and signals, with adaptive parameters that adjust to different market conditions and optimization capabilities based on recent market behavior.
Implementation Details
The code is thoroughly documented with clear sections for:
User configuration parameters (fully customizable)
Data structure definitions for order blocks, entry signals, and liquidity zones
Core detection algorithms for order blocks and liquidity zones
Multi-timeframe analysis with higher timeframe data integration
Entry signal generation with adaptive risk management
Performance tracking and metrics calculation
Visual elements for clear chart representation
Using the Indicator
To use this indicator:
Compile and add to your chart
Adjust the settings via the indicator parameters panel to optimize for your trading style
Focus on trading from the order blocks with highest strength and multi-timeframe confluence
The indicator is specifically optimized for 1-minute timeframe altcoin cryptocurrency scalping but incorporates data from higher timeframes to identify high-probability trading opportunities.
ZRK 1hr candleThis indicator overlays consecutive 1-hour candles on any intraday chart, showing both the real-time forming candle and past hourly candles. Each candle includes a body (open to close) and wick (high to low), aligned perfectly to hourly time. Bullish candles are dark blue, bearish candles are dark purple, with matching wick colors for clear visual distinction.
Advanced SMC + Oscillator + RSI + Trend Analysis IndicatorAdvanced SMC + Oscillator + RSI + Trend Analysis Indicator
This TradingView indicator integrates multiple technical analysis tools to help traders make informed decisions. It combines Smart Money Concept (SMC), Moving Averages, RSI, MACD, Bollinger Bands, VWAP, and Trend Analysis to provide a comprehensive view of market conditions.
Features & Functions
1. Moving Averages (SMA & EMA)
Simple Moving Average (SMA): A standard moving average that smooths price action over a defined period (default 14).
Exponential Moving Average (EMA): A faster-moving average (default 50) that reacts more quickly to price changes.
Usage: Price crossing above the SMA or EMA can indicate bullish momentum, while crossing below suggests bearish momentum.
2. Buy & Sell Signals
Buy Signal:
Occurs when price crosses above the SMA.
RSI is below 30 (oversold condition).
MACD line crosses above the Signal line (bullish momentum).
Sell Signal:
Occurs when price crosses below the SMA.
RSI is above 70 (overbought condition).
MACD line crosses below the Signal line (bearish momentum).
Plotting:
Buy signals appear as green upward arrows below the bars.
Sell signals appear as red downward arrows above the bars.
3. Smart Money Concept (SMC) - Market Structure
Identifies higher highs (HH) and lower lows (LL) over the last 20 bars.
Bullish Structure: Price moves above the highest high, indicating possible trend continuation.
Bearish Structure: Price moves below the lowest low, signaling potential bearish trends.
Plotting:
Bullish Structure: Blue triangles appear below the bars.
Bearish Structure: Orange triangles appear above the bars.
4. MACD (Moving Average Convergence Divergence)
MACD Line & Signal Line: Used to gauge momentum shifts.
MACD Histogram: Displays the difference between MACD Line and Signal Line.
Usage:
Positive histogram values indicate bullish momentum.
Negative values indicate bearish momentum.
Plotting:
MACD Histogram is shown in purple.
5. RSI (Relative Strength Index)
Measures the strength of recent price movements (default 14 period).
Overbought (>70): Price may be due for a pullback.
Oversold (<30): Price may be ready for a reversal.
Plotting:
RSI line is orange.
Overbought and oversold levels are marked with red (70) and green (30) lines.
6. Bollinger Bands (BB)
Upper Band: Shows potential overbought levels.
Lower Band: Shows potential oversold levels.
Usage:
Price touching the upper band suggests overbought conditions.
Price touching the lower band suggests oversold conditions.
Plotting:
Bollinger Bands are shown in gray.
7. Volume Weighted Average Price (VWAP)
VWAP is a key indicator used by institutional traders to determine the average trading price weighted by volume.
Usage:
Price above VWAP signals bullish strength.
Price below VWAP signals bearish weakness.
Plotting:
VWAP line is shown in purple.
8. Trend Direction Indicators
Uptrend:
Price is above the EMA.
MACD is bullish (MACD line above Signal line).
Displayed as blue triangles below bars.
Downtrend:
Price is below the EMA.
MACD is bearish (MACD line below Signal line).
Displayed as red triangles above bars.
How to Use This Indicator?
Confirm Trends:
Look at the EMA and SMA crossover.
Identify bullish or bearish structures (HH/LL).
Observe trend indicators (blue/red triangles).
Check Momentum & Reversals:
Look at the MACD Histogram and crossover.
Check RSI for overbought/oversold conditions.
Monitor Volatility:
Use Bollinger Bands to gauge extreme price movements.
Observe VWAP for institutional trading levels.
Trigger Trades:
Enter long trades when buy signals appear (price above SMA, RSI <30, MACD bullish).
Enter short trades when sell signals appear (price below SMA, RSI >70, MACD bearish).
Conclusion
This indicator is a powerful multi-tool that provides trend direction, momentum shifts, volatility analysis, and precise buy/sell signals. It is useful for traders who want a complete technical analysis system in one chart.
Previous HTF Highs, Lows & Equilibriums [dani]key levels from multiple higher timeframes directly on their chart. It plots the previous session's high, low, and equilibrium (EQ) levels for up to 4 customizable timeframes, allowing you to analyze price action across different time horizons simultaneously.
Original
DreamyDans
[blackcat] L2 Gradient RSIVWAPOVERVIEW
The L2 Gradient RSIVWAP indicator offers traders a powerful tool for assessing market conditions by combining Relative Strength Index (RSI) with Volume Weighted Average Price (VWAP). It features dynamic coloring and clear buy/sell signals to enhance decision-making.
Customizable Inputs: Adjust key parameters such as RSI-VWAP length, oversold/overbought levels, and smoothing period.
Gradient Color Visualization: Provides intuitive gradient coloring to represent RSI-VWAP values.
Buy/Sell Indicators: On-chart labels highlight potential buying and selling opportunities.
Transparent Fills: Visually distinguishes overbought and oversold zones without obscuring other data.
Access the TradingView platform and select the chart where you wish to implement the indicator.
Go to “Indicators” in the toolbar and search for “ L2 Gradient RSIVWAP.”
Click “Add to Chart” to integrate the indicator into your chart.
Customize settings via the input options:
Toggle between standard RSI and RSI-based VWAP.
Set preferred lengths and thresholds for RSI-VWAP calculations.
Configure the smoothing period for ALMA.
Performance can vary based on asset characteristics like liquidity and volatility.
Historical backtests do not predict future market behavior accurately.
The ALMA function, developed by Arnaud Legoux, enhances response times relative to simple moving averages.
Buy and sell signals are derived from RSI-VWAP crossovers; consider additional factors before making trades.
Special thanks to Arnaud Legoux for creating the ALMA function.
Custom DeMarker🔹 What does this indicator do?
✅ It shows the DeMarker line.
✅ It gives a buy signal below 0.30, a sell signal above 0.70.
✅ It shows signals with arrows on the chart.
Pivot Center LineHow is it calculated?
Finding Pivot Points:
The script looks for Pivot Highs (local peaks) and Pivot Lows (local bottoms) based on a user-defined period (prd).
A Pivot High is the highest point among the surrounding candles.
A Pivot Low is the lowest point among the surrounding candles.
Storing the Latest Pivot:
If a new pivot (high or low) is found, it is stored as lastpp (latest pivot point).
Weighted Averaging:
If it's the first detected pivot, the center line is set to that pivot price.
After detecting multiple pivots, the new pivot is averaged with the previous center value using the formula:
new center=(old center×2)+latest pivot3
new center=3(old center×2)+latest pivot
This gives more weight to past values, smoothing the center line.
Plotting the Line:
If the center line is below the mid-price (hl2), it is colored blue (bullish bias).
If it is above, it is colored red (bearish bias).
Summary in Simple Terms
The Pivot Center Line is a moving reference line that smoothly follows the trend based on recent price highs and lows. It updates itself over time, filtering out small fluctuations to help traders see the bigger trend picture.
Ahmed Mo3Ty - Bollinger Bands 1Buy:
Enter long when price closes above upper Bollinger Band (plot green arrow)
Close long when price closes below lower Bollinger Band
Sell:
Enter short when price closes below lower Bollinger Band (plot red arrow)
Close short when price closes above upper Bollinger Band
Important: For successful investment in the financial markets, I advise you to use the following combination and not rely solely on technical analysis tools (experience + risk management plan + psychological control + combining technical analysis with fundamental analysis).
Risk Warning: This indicator is not a buy or sell recommendation. Rather, it is for educational purposes and should be combined with the previous combination. Any buy or sell order is yours alone, and you are responsible for it.
Add me to my channels: mo3tyeconomy
Stock ScreenerStoch RSI- New where I consider daily close and Stoch RSI to find stocks for swing trading
Daily Weekly Monthly Yearly OpensDaily open is shown only on intraday timeframes
Weekly open is shown only on timeframes < weekly
Monthly open is shown only on timeframes < monthly
EMA 10/55/200 - LONG ONLY MTF (4h with 1D & 1W confirmation)Title: EMA 10/55/200 - Long Only Multi-Timeframe Strategy (4h with 1D & 1W confirmation)
Description:
This strategy is designed for trend-following long entries using a combination of exponential moving averages (EMAs) on the 4-hour chart, confirmed by higher timeframe trends from the daily (1D) and weekly (1W) charts.
🔍 How It Works
🔹 Entry Conditions (4h chart):
EMA 10 crosses above EMA 55 and price is above EMA 55
OR
EMA 55 crosses above EMA 200
OR
EMA 10 crosses above EMA 500
These entries indicate short-term momentum aligning with medium/long-term trend strength.
🔹 Confirmation (multi-timeframe alignment):
Daily (1D): EMA 55 is above EMA 200
Weekly (1W): EMA 55 is above EMA 200
This ensures that we only enter long trades when the higher timeframes support an uptrend, reducing false signals during sideways or bearish markets.
🛑 Exit Conditions
Bearish crossover of EMA 10 below EMA 200 or EMA 500
Stop Loss: 5% below entry price
⚙️ Backtest Settings
Capital allocation per trade: 10% of equity
Commission: 0.1%
Slippage: 2 ticks
These are realistic conditions for crypto, forex, and stocks.
📈 Best Used On
Timeframe: 4h
Instruments: Trending markets like BTC/ETH, FX majors, or growth stocks
Works best in volatile or trending environments
⚠️ Disclaimer
This is a backtest tool and educational resource. Always validate on demo accounts before applying to real capital. Do your own due diligence.
LCSEMALong candle + Stoch + Ema (sonrau)
Buy: Green arrow appears, price is above ema.
Sell : Red arrow appears, price is below ema
Big 7 NASDAQ – % + SMA Signal (com gradiente)📌 Indicator Description – "Big 7 NASDAQ – % + SMA Signal (with Gradient)"
This indicator displays a dynamic table of the 7 major NASDAQ stocks, providing at-a-glance insights into:
📈 Daily % Change – Calculated from the daily open to the current price, with background color gradient to reflect strength:
Green shades for gains
Red shades for losses
Gray for neutral movement
🟢 SMA Signal – Shows whether the current price is above ("Buy") or below ("Sell") a customizable Simple Moving Average (SMA). Background colors reinforce the signal direction.
✅ Key Features:
Covers Apple, Microsoft, Amazon, Google, Meta, Tesla, Nvidia
Includes percentage change with directional arrows
Clean and minimal design for fast decision-making
Fully customizable SMA period
Optional addition of Nasdaq Index (NQ1!)
Perfect for traders who want a quick market heatmap with actionable SMA-based signals.
Note 2It is used to store notes. You can store each of your notes in detail and it will be a useful resource.
Ersin Efsanesi Stratejisi v1.0This strategy uses moving averages, RSI, and volume analysis to identify potential buy and sell signals. It aims to find market trends and provide trading opportunities based on specific technical indicators.