Smart Money Concept Forex Strategy by versaceWell deserve fx strategy with high win rate, its based on smart money concept it gives u entry and exit positions trade wisely thanks rate me later
Moving Averages
Distance Between EMA and SMA with 1 SD BandScript made by chatgpt
Measures the distance between an EMA and an SMA.
8 EMA and 20 EMA with CrossoversThis Pine Script is designed to plot two Exponential Moving Averages (EMAs) on the chart:
8-period EMA (Blue Line):
This is a faster-moving average that reacts more quickly to recent price changes. It uses the last 8 periods (bars) of the price data to calculate the average.
It is plotted in blue to distinguish it from the other EMA.
20-period EMA (Red Line):
This is a slower-moving average that smooths out the price data over a longer period of time, providing a better indication of the overall trend.
It is plotted in red to visually differentiate it from the 8-period EMA.
Key Features:
Version: This script is written in Pine Script version 6.
Overlay: The EMAs are plotted directly on the price chart, allowing for easy visualization of the moving averages relative to the price action.
Visual Appearance:
The 8-period EMA is displayed with a blue line.
The 20-period EMA is displayed with a red line.
Both lines have a thickness of 2 to make them more prominent.
Purpose:
The combination of these two EMAs can be used for trend analysis and trading strategies:
A bullish signal is often seen when the faster (8-period) EMA crosses above the slower (20-period) EMA.
A bearish signal is typically generated when the faster (8-period) EMA crosses below the slower (20-period) EMA.
Traders use these EMAs to help determine market trends, potential entry points, and exit points based on crossovers and price interactions with these moving averages.
Uptrick: Fisher Eclipse1. Name and Purpose
Uptrick: Fisher Eclipse is a Pine version 6 extension of the basic Fisher Transform indicator that focuses on highlighting potential turning points in price data. Its purpose is to allow traders to spot shifts in momentum, detect divergence, and adapt signals to different market environments. By combining a core Fisher Transform with additional signal processing, divergence detection, and customizable aggressiveness settings, this script aims to help users see when a price move might be losing momentum or gaining strength.
2. Overview
This script uses a Fisher Transform calculation on the average of each bar’s high and low (hl2). The Fisher Transform is designed to amplify price extremes by mapping data into a different scale, making potential reversals more visible than they might be with standard oscillators. Uptrick: Fisher Eclipse takes this concept further by integrating a signal line, divergence detection, bar coloring for momentum intensity, and optional thresholds to reduce unwanted noise.
3. Why Use the Fisher Transform
The Fisher Transform is known for converting relatively smoothed price data into a more pronounced scale. This transformation highlights where markets may be overextended. In many cases, standard oscillators move gently, and traders can miss subtle hints that a reversal might be approaching. The Fisher Transform’s mathematical approach tightens the range of values and sharpens the highs and lows. This behavior can allow traders to see clearer peaks and troughs in momentum. Because it is often quite responsive, it can help anticipate areas where price might change direction, especially when compared to simpler moving averages or traditional oscillators. The result is a more evident signal of possible overbought or oversold conditions.
4. How This Extension Improves on the Basic Fisher Transform
Uptrick: Fisher Eclipse adds multiple features to the classic Fisher framework in order to address different trading styles and market behaviors:
a) Divergence Detection
The script can detect bullish or bearish divergences between price and the oscillator over a chosen lookback period, helping traders anticipate shifts in market direction.
b) Bar Coloring
When momentum exceeds a certain threshold (default 3), bars can be colored to highlight surges of buying or selling pressure. This quick visual reference can assist in spotting periods of heightened activity. After a bar color like this, usually, there is a quick correction as seen in the image below.
c) Signal Aggressiveness Levels
Users can choose between conservative, moderate, or aggressive signal thresholds. This allows them to tune how quickly the indicator flags potential entries or exits. Aggressive settings might suit scalpers who need rapid signals, while conservative settings may benefit swing traders preferring fewer, more robust indications.
d) Minimum Movement Filter
A configurable filter can be set to ensure that the Fisher line and its signal have a sufficient gap before triggering a buy or sell signal. This step is useful for traders seeking to minimize signals during choppy or sideways markets. This can be used to eliminate noise as well.
By combining all these elements into one package, the indicator attempts to offer a comprehensive toolkit for those who appreciate the Fisher Transform’s clarity but also desire more versatility.
5. Core Components
a) Fisher Transform
The script calculates a Fisher value using normalized price over a configurable length, highlighting potential peaks and troughs.
b) Signal Line
The Fisher line is smoothed using a short Simple Moving Average. Crossovers and crossunders are one of the key ways this indicator attempts to confirm momentum shifts.
c) Divergence Logic
The script looks back over a set number of bars to compare current highs and lows of both price and the Fisher oscillator. When price and the oscillator move in opposing directions, a divergence may occur, suggesting a possible upcoming reversal or weakening trend.
d) Thresholds for Overbought and Oversold
Horizontal lines are drawn at user-chosen overbought and oversold levels. These lines help traders see when momentum readings reach particular extremes, which can be especially relevant when combined with crossovers in that region.
e) Intensity Filter and Bar Coloring
If the magnitude of the change in the Fisher Transform meets or exceeds a specified threshold, bars are recolored. This provides a visual cue for significant momentum changes.
6. User Inputs
a) length
Defines how many bars the script looks back to compute the highest high and lowest low for the Fisher Transform. A smaller length reacts more quickly but can be noisier, while a larger length smooths out the indicator at the cost of responsiveness.
b) signal aggressiveness
Adjusts the buy and sell thresholds for conservative, moderate, and aggressive trading styles. This can be key in matching the indicator to personal risk preferences or varying market conditions. Conservative will give you less signals and aggressive will give you more signals.
c) minimum movement filter
Specifies how far apart the Fisher line and its signal line must be before generating a valid crossover signal.
d) divergence lookback
Controls how many bars are examined when determining if price and the oscillator are diverging. A larger setting might generate fewer signals, while a smaller one can provide more frequent alerts.
e) intensity threshold
Determines how large a change in the Fisher value must be for the indicator to recolor bars. Strong momentum surges become more noticeable.
f) overbought level and oversold level
Lets users define where they consider market conditions to be stretched on the upside or downside.
7. Calculation Process
a) Price Input
The script uses the midpoint of each bar’s high and low, sometimes referred to as hl2.
hl2 = (high + low) / 2
b) Range Normalization
Determine the maximum (maxHigh) and minimum (minLow) values over a user-defined lookback period (length).
Scale the hl2 value so it roughly fits between -1 and +1:
value = 2 * ((hl2 - minLow) / (maxHigh - minLow) - 0.5)
This step highlights the bar’s current position relative to its recent highs and lows.
c) Fisher Calculation
Convert the normalized value into the Fisher Transform:
fisher = 0.5 * ln( (1 + value) / (1 - value) ) + 0.5 * fisher_previous
fisher_previous is simply the Fisher value from the previous bar. Averaging half of the new transform with half of the old value smooths the result slightly and can prevent erratic jumps.
ln is the natural logarithm function, which compresses or expands values so that market turns often become more obvious.
d) Signal Smoothing
Once the Fisher value is computed, a short Simple Moving Average (SMA) is applied to produce a signal line. In code form, this often looks like:
signal = sma(fisher, 3)
Crossovers of the fisher line versus the signal line can be used to hint at changes in momentum:
• A crossover occurs when fisher moves from below to above the signal.
• A crossunder occurs when fisher moves from above to below the signal.
e) Threshold Checking
Users typically define oversold and overbought levels (often -1 and +1).
Depending on aggressiveness settings (conservative, moderate, aggressive), these thresholds are slightly shifted to filter out or include more signals.
For example, an oversold threshold of -1 might be used in a moderate setting, whereas -1.5 could be used in a conservative setting to require a deeper dip before triggering.
f) Divergence Checks
The script looks back a specified number of bars (divergenceLookback). For both price and the fisher line, it identifies:
• priceHigh = the highest hl2 within the lookback
• priceLow = the lowest hl2 within the lookback
• fisherHigh = the highest fisher value within the lookback
• fisherLow = the lowest fisher value within the lookback
If price forms a lower low while fisher forms a higher low, it can signal a bullish divergence. Conversely, if price forms a higher high while fisher forms a lower high, a bearish divergence might be indicated.
g) Bar Coloring
The script monitors the absolute change in Fisher values from one bar to the next (sometimes called fisherChange):
fisherChange = abs(fisher - fisher )
If fisherChange exceeds a user-defined intensityThreshold, bars are recolored to highlight a surge of momentum. Aqua might indicate a strong bullish surge, while purple might indicate a strong bearish surge.
This color-coding provides a quick visual cue for traders looking to spot large momentum swings without constantly monitoring indicator values.
8. Signal Generation and Filtering
Buy and sell signals occur when the Fisher line crosses the signal line in regions defined as oversold or overbought. The optional minimum movement filter prevents triggering if Fisher and its signal line are too close, reducing the chance of small, inconsequential price fluctuations creating frequent signals. Divergences that appear in oversold or overbought regions can serve as additional evidence that momentum might soon shift.
9. Visualization on the Chart
Uptrick: Fisher Eclipse plots two lines: the Fisher line in one color and the signal line in a contrasting shade. The chart displays horizontal dashed lines where the overbought and oversold levels lie. When the Fisher Transform experiences a sharp jump or drop above the intensity threshold, the corresponding price bars may change color, signaling that momentum has undergone a noticeable shift. If the indicator detects bullish or bearish divergence, dotted lines are drawn on the oscillator portion to connect the relevant points.
10. Market Adaptability
Because of the different aggressiveness levels and the optional minimum movement filter, Uptrick: Fisher Eclipse can be tailored to multiple trading styles. For instance, a short-term scalper might select a smaller length and more aggressive thresholds, while a swing trader might choose a longer length for smoother readings, along with conservative thresholds to ensure fewer but potentially stronger signals. During strongly trending markets, users might rely more on divergences or large intensity changes, whereas in a range-bound market, oversold or overbought conditions may be more frequent.
11. Risk Management Considerations
Indicators alone do not ensure favorable outcomes, and relying solely on any one signal can be risky. Using a stop-loss or other protections is often suggested, especially in fast-moving or unpredictable markets. Divergence can appear before a market reversal actually starts. Similarly, a Fisher Transform can remain in an overbought or oversold region for extended periods, especially if the trend is strong. Cautious interpretation and confirmation with additional methods or chart analysis can help refine entry and exit decisions.
12. Combining with Other Tools
Traders can potentially strengthen signals from Uptrick: Fisher Eclipse by checking them against other methods. If a moving average cross or a price pattern aligns with a Fisher crossover, the combined evidence might provide more certainty. Volume analysis may confirm whether a shift in market direction has participation from a broad set of traders. Support and resistance zones could reinforce overbought or oversold signals, particularly if price reaches a historical boundary at the same time the oscillator indicates a possible reversal.
13. Parameter Customization and Examples
Some short-term traders run a 15-minute chart, with a shorter length setting, aggressively tight oversold and overbought thresholds, and a smaller divergence lookback. This approach produces more frequent signals, which may appeal to those who enjoy fast-paced trading. More conservative traders might apply the indicator to a daily chart, using a larger length, moderate threshold levels, and a bigger divergence lookback to focus on broader market swings. Results can differ, so it may be helpful to conduct thorough historical testing to see which combination of parameters aligns best with specific goals.
14. Realistic Expectations
While the Fisher Transform can reveal potential turning points, no mathematical tool can predict future price behavior with full certainty. Markets can behave erratically, and a period of strong trending may see the oscillator pinned in an extreme zone without a significant reversal. Divergence signals sometimes appear well before an actual trend change occurs. Recognizing these limitations helps traders manage risk and avoids overreliance on any one aspect of the script’s output.
15. Theoretical Background
The Fisher Transform uses a logarithmic formula to map a normalized input, typically ranging between -1 and +1, into a scale that can fluctuate around values like -3 to +3. Because the transformation exaggerates higher and lower readings, it becomes easier to spot when the market might have stretched too far, too fast. Uptrick: Fisher Eclipse builds on that foundation by adding a series of practical tools that help confirm or refine those signals.
16. Originality and Uniqueness
Uptrick: Fisher Eclipse is not simply a duplicate of the basic Fisher Transform. It enhances the original design in several ways, including built-in divergence detection, bar-color triggers for momentum surges, thresholds for overbought and oversold levels, and customizable signal aggressiveness. By unifying these concepts, the script seeks to reduce noise and highlight meaningful shifts in market direction. It also places greater emphasis on helping traders adapt the indicator to their specific style—whether that involves frequent intraday signals or fewer, more robust alerts over longer timeframes.
17. Summary
Uptrick: Fisher Eclipse is an expanded take on the original Fisher Transform oscillator, including divergence detection, bar coloring based on momentum strength, and flexible signal thresholds. By adjusting parameters like length, aggressiveness, and intensity thresholds, traders can configure the script for day-trading, swing trading, or position trading. The indicator endeavors to highlight where price might be shifting direction, but it should still be combined with robust risk management and other analytical methods. Doing so can lead to a more comprehensive view of market conditions.
18. Disclaimer
No indicator or script can guarantee profitable outcomes in trading. Past performance does not necessarily suggest future results. Uptrick: Fisher Eclipse is provided for educational and informational purposes. Users should apply their own judgment and may want to confirm signals with other tools and methods. Deciding to open or close a position remains a personal choice based on each individual’s circumstances and risk tolerance.
200WMA ScreenerDescription:
This custom indicator helps identify stocks trading below their 200-week moving average (200WMA), a key technical indicator often used to analyze long-term trends. The script calculates the 200WMA using weekly close prices and provides the following features:
Visual Plot: Displays the 200WMA as a smooth line on the chart for easy trend analysis.
Background Highlight: Automatically highlights the chart background when the current price is below the 200WMA, signaling a potential bearish trend or undervalued stock.
Alert System: Includes an alert condition to notify you when a stock trades below its 200WMA, so you never miss an opportunity.
Compatibility: Works across all assets (stocks, forex, crypto) and automatically adapts to the selected ticker.
This script is ideal for traders and investors looking for long-term opportunities, identifying potential trend reversals, or spotting undervalued stocks.
50 SMA StrategyThe strategy has been updated to use the 50 SMA with entry and exit conditions based on candle closes above and below the SMA. Let me know if there’s anything else to modify!
SoftFox Advanced TradingEste indicador exibe o Ichimoku Kinko Hyo, médias móveis e sinais de compra e venda.
Higher Timeframe Moving AveragesPlots moving averages from a higher timeframe onto the current chart. Each line can have its own MA type and length.
For example, if you are viewing the M5 chart, you can plot lines that show the D1 50SMA, 100SMA and 200SMA. Helpful to see price action around the proir days SMA value - or EMA/WMA/HMA/VWMA. You can select any (higher) timeframe and any moving average period.
Mean Reversion Pro Strategy [tradeviZion]Mean Reversion Pro Strategy : User Guide
A mean reversion trading strategy for daily timeframe trading.
Introduction
Mean Reversion Pro Strategy is a technical trading system that operates on the daily timeframe. The strategy uses a dual Simple Moving Average (SMA) system combined with price range analysis to identify potential trading opportunities. It can be used on major indices and other markets with sufficient liquidity.
The strategy includes:
Trading System
Fast SMA for entry/exit points (5, 10, 15, 20 periods)
Slow SMA for trend reference (100, 200 periods)
Price range analysis (20% threshold)
Position management rules
Visual Elements
Gradient color indicators
Three themes (Dark/Light/Custom)
ATR-based visuals
Signal zones
Status Table
Current position information
Basic performance metrics
Strategy parameters
Optional messages
📊 Strategy Settings
Main Settings
Trading Mode
Options: Long Only, Short Only, Both
Default: Long Only
Position Size: 10% of equity
Starting Capital: $20,000
Moving Averages
Fast SMA: 5, 10, 15, or 20 periods
Slow SMA: 100 or 200 periods
Default: Fast=5, Slow=100
🎯 Entry and Exit Rules
Long Entry Conditions
All conditions must be met:
Price below Fast SMA
Price below 20% of current bar's range
Price above Slow SMA
No existing position
Short Entry Conditions
All conditions must be met:
Price above Fast SMA
Price above 80% of current bar's range
Price below Slow SMA
No existing position
Exit Rules
Long Positions
Exit when price crosses above Fast SMA
No fixed take-profit levels
No stop-loss (mean reversion approach)
Short Positions
Exit when price crosses below Fast SMA
No fixed take-profit levels
No stop-loss (mean reversion approach)
💼 Risk Management
Position Sizing
Default: 10% of equity per trade
Initial capital: $20,000
Commission: 0.01%
Slippage: 2 points
Maximum one position at a time
Risk Control
Use daily timeframe only
Avoid trading during major news events
Consider market conditions
Monitor overall exposure
📊 Performance Dashboard
The strategy includes a comprehensive status table displaying:
Strategy Parameters
Current SMA settings
Trading direction
Fast/Slow SMA ratio
Current Status
Active position (Flat/Long/Short)
Current price with color coding
Position status indicators
Performance Metrics
Net Profit (USD and %)
Win Rate with color grading
Profit Factor with thresholds
Maximum Drawdown percentage
Average Trade value
📱 Alert Settings
Entry Alerts
Long Entry (Buy Signal)
Short Entry (Sell Signal)
Exit Alerts
Long Exit (Take Profit)
Short Exit (Take Profit)
Alert Message Format
Strategy name
Signal type and direction
Current price
Fast SMA value
Slow SMA value
💡 Usage Tips
Consider starting with Long Only mode
Begin with default settings
Keep track of your trades
Review results regularly
Adjust settings as needed
Follow your trading plan
⚠️ Disclaimer
This strategy is for educational and informational purposes only. It is not financial advice. Always:
Conduct your own research
Test thoroughly before live trading
Use proper risk management
Consider your trading goals
Monitor market conditions
Never risk more than you can afford to lose
📝 Credits
Inspired by:
"Mean Reversion Trading Strategy for a High Win Rate" - YouTube channel "The Transparent Trader"
"Highly Reliable Mean Reversion Trading Strategy Backtested x Millions of Trades" - YouTube channel "seriousbacktester"
"Trade with Discipline, Manage Risk, Stay Consistent" - tradeviZion
VStop + EMA StrategyThis strategy is based on the teachings of Stan Weinstein and uses the Volatility Stop indicator to provide better exit points for investors and swing traders.
EMA MWD4+200EMA MWD4
EMA - The Exponential Moving Average (EMA) is a technical chart indicator that helps traders to monitor the price of financial securities over a period of time EMA MWD4 For timeframe: Monthly Weekly Dayly 4h
This is EMA with Monthly, Weekly, Dayly, 4h and EMA 200
EMA/SMA + Multi-Timeframe Dashboard (Vertical)Let us introduce to you the EMA/SMA Multi-timeframe Dashboard. This Tool has an intuitive interface and is ideal for traders looking to analyze market trends or momentum using Exponential moving average (EMA) or simple moving average (SMA). An investment that will pay off since it combines the 21 EMA, and 200 SMA for several time frames into a simple view ensuring that you never miss important market signals.
Key Features:
multi-time frame dashboard
Monitor 21 EMA, 50 EMA, and 200 SMA in multiple time frames simultaneously.
Set your monitor time frames according to your strategies.
50 EMA based dashboard insights.
21 EMA 200 SMA pivot above or below 50 EMA its other ranges or areas of concern.
Trend and momentum analysis.
Moving together across multiple time frames can help assess the time of reversals and the direction of the trend, which can aid in the assessment of the trend direction.
Customizable Alerts.
Crossover and the price interacting with the moving averages are examples of conditions that can be set alerts for.
Avoid checking charts constantly to ensure you are not missing important signals.
User Friendly Design.
Data is presented in thorough and simple layouts to ensure that it is plainly readable. Additional tools, such as color codes, are employed to aid in increasing comprehension and improving decision-making.
Benefits:
Due to gathering all necessary moving averages in one spot, has a positive impact on efficiency as it saves time.
Provides a comprehensive perspective on trend strength and optimization to make accurate trades.
Swing Traders, Day Traders, and Long-term Investors who want to fine-tune their timing in the market for better results.
Keep up with the EMA / SMA Multi-Timeframe Dashboard and blend accuracy with the insights that you require for all your traders.
SPXL strategy based on HighYield Spread (TearRepresentative56)This strategy is focused on leveraged funds (SPXL as basis that stands for 3x S&P500) and aims at maximising profit while keeping potential drawdowns at measurable level
Originally created by TearRepresentative56, I`m not the author of the concept, just backtesting it and sharing with the community
Key idea : Buy or Sell AMEX:SPXL SPXL if triggered
Trigger: HighYield Spread Change ( FRED:BAMLH0A0HYM2 BAMLH0A0HYM2). BAMLH0A0HYM2 can be used as indicator of chop/decline market (if spread rises significantly)
How it works :
1. Track BAMLH0A0HYM2 for 30% decline from local high marks the 'buy' trigger for SPXL (with all available funds)
2. When BAMLH0A0HYM2 increases 30% from local low (AND is higher then 330d EMA) strategy will signal with 'sell' trigger (sell all available contracts)
3. When in position strategy shows signal to DCA each month (adding contracts to position)
Current version update :
Added DCA function
User can provide desired amount of funds added into SPXL each month.
Funds will be added ONLY when user holds position already and avoids DCAing while out of the market (while BAML is still high)
Backtesting results :
11295% for SPXL (since inception in 2009) with DCAing of 500USD monthly
4547% for SPXL (since inception in 2009) without DCA (only 10 000USD invested initially)
For longer period: even with SP500 (no leverage) the strategy provides better results than Buy&Hold (420% vs 337% respectively since 1999)
Default values (can be changed by user):
Start investing amount = 10 000 USD
Decline % (Entry trigger) = 30%
Rise % (Exit trigger) = 30%
Timeframe to look for local high/low = 180 days
DCA amount = 500 USD
Inflation yearly rate for DCA amount = 2%
EMA to track = 330d
Important notes :
1. BAMLH0A0HYM2 is 1 day delayed (that provides certain lag)
2. Highly recommended to select 'on bar close' option in properties of the strategy
3. Please use DAILY SPXL chart.
4. Strategy can be used with any other ticker - SPX, QQQ or leveraged analogues (while basic scenario is still in SPXL)
2 MA Simplified Sideways Candle ColorsHow to Use the Indicator: A Simple Guide
This custom indicator colors candlesticks to help you quickly identify market conditions based on two moving averages (9-period and 21-period). Here’s how to get started:
Add the Indicator to Your Chart:
Copy the provided Pine Script code.
Open TradingView and navigate to the Pine Editor.
Paste the code into a new script, save it, and then add the indicator to your chart.
Understand the Candlestick Colors:
Green Candles (Bullish):
Indicates a bullish market when the price is above the 9-period SMA and the 9 SMA is above the 21 SMA.
Red Candles (Bearish):
Indicates a bearish market when the price is below the 21-period SMA and the 9 SMA is below the 21 SMA.
Yellow Candles (Sideways):
Indicates a sideways (neutral) market when:
Condition 1: Price is below the 9 SMA but above the 21 SMA, with the 9 SMA above the 21 SMA, or
Condition 2: The 9 SMA is below the 21 SMA, and the price lies between them.
White Candles (No Clear Signal):
Used when none of the above conditions apply.
Interpreting the Signals:
When you see green candles, the market is showing bullish momentum.
When you see red candles, bearish pressure is dominant.
Yellow candles suggest the market is moving sideways without a strong trend.
White candles mean that none of the specific conditions (bullish, bearish, or sideways) are currently met.
Chart Reference:
The script also plots two moving averages on your chart (a blue line for the 9-period SMA and an orange line for the 21-period SMA). These lines help visualize how price interacts with these averages.
Using the Indicator in Practice:
Once added to your chart, monitor the color of the candlesticks:
Green signals may be opportunities to consider long positions.
Red signals may indicate a good time to consider short positions or tighten stops.
Yellow signals suggest caution as the market isn’t trending strongly.
White candles indicate no strong signal, so it might be a period of consolidation or indecision.
This simple visual cue system allows you to quickly assess market sentiment and make more informed trading decisions based on the relationship between price and the two moving averages.
EMA MWD4EMA MWD4
EMA - The Exponential Moving Average (EMA) is a technical chart indicator that helps traders to monitor the price of financial securities over a period of time EMA MWD4 For timeframe: Monthly Weekly Dayly 4h
This is EMA with Monthly, Weekly, Dayly, 4h
Monthly are blue
Weekly red
Dayly light red
Predictive Ranges, SMA, RSI strategyThis strategy combines three powerful technical indicators: Predictive Ranges, Simple Moving Average (SMA), and Relative Strength Index (RSI), to help identify potential market entry and exit points.
Key Features:
Predictive Ranges: The strategy utilizes predictive price levels (such as support and resistance levels) to anticipate potential price movements and possible breakouts. These levels act as critical points for making trading decisions.
SMA (Simple Moving Average): A 200-period SMA is incorporated to determine the overall market trend. The strategy trades in alignment with the direction of the SMA, taking long positions when the price is bellow the SMA and short positions when it is above. This helps ensure the strategy follows the prevailing market trend.
RSI (Relative Strength Index): The strategy uses the RSI (14-period) to gauge whether the market is overbought or oversold. A value above 70 signals that the asset may be overbought, while a value below 30 indicates that it might be oversold. These conditions are used to refine entry and exit points.
Entry & Exit Logic:
Long Entry: The strategy enters a long position when the price crosses above the predictive resistance level (UpLevel1/UpLevel2), and RSI is in the oversold region (below 30), signaling potential upward movement.
Short Entry: The strategy enters a short position when the price crosses below the predictive support level (LowLevel1/LowLevel2), and RSI is in the overbought region (above 70), signaling potential downward movement.
Exit Strategy: The exit levels are determined based on the predictive range levels (e.g., UpLevel1, UpLevel2, LowLevel1, LowLevel2), ensuring that trades are closed at optimal levels. A stop loss and take profit are also applied, based on a user-defined percentage, allowing for automated risk management.
Strategy Advantages:
Trend Following: By using SMA and predictive ranges, this strategy adapts to the prevailing market trend, enhancing its effectiveness in trending conditions.
RSI Filtering: The RSI helps avoid trades in overbought/oversold conditions, refining entry signals and improving the likelihood of success.
Customizable: Traders can adjust parameters such as stop loss, take profit, and predictive range levels, allowing them to tailor the strategy to their preferred risk tolerance and market conditions.
This strategy is designed for traders who prefer a combination of trend-following and mean-reversion techniques, with a focus on predictive market levels and essential momentum indicators to improve trade accuracy.
Extension From Bull Market Support Band [20W SMA & 21W EMA]The Price Extension Oscillator is a momentum indicator designed to identify overbought and oversold conditions, signaling potential trend reversals in the market.
Initially designed for Bitcoin on Weekly TF, but it can be used with any moving average and any symbol, just analyze the extensions and you will get a clear read on the assets potential reversal values.
Have a great day :)
Much success.
8 EMA and 20 EMAThis Pine Script is designed to plot two Exponential Moving Averages (EMAs) on the chart:
8-period EMA (Blue Line):
This is a faster-moving average that reacts more quickly to recent price changes. It uses the last 8 periods (bars) of the price data to calculate the average.
It is plotted in blue to distinguish it from the other EMA.
20-period EMA (Red Line):
This is a slower-moving average that smooths out the price data over a longer period of time, providing a better indication of the overall trend.
It is plotted in red to visually differentiate it from the 8-period EMA.
Key Features:
Version: This script is written in Pine Script version 6.
Overlay: The EMAs are plotted directly on the price chart, allowing for easy visualization of the moving averages relative to the price action.
Visual Appearance:
The 8-period EMA is displayed with a blue line.
The 20-period EMA is displayed with a red line.
Both lines have a thickness of 2 to make them more prominent.
Purpose:
The combination of these two EMAs can be used for trend analysis and trading strategies:
A bullish signal is often seen when the faster (8-period) EMA crosses above the slower (20-period) EMA.
A bearish signal is typically generated when the faster (8-period) EMA crosses below the slower (20-period) EMA.
Traders use these EMAs to help determine market trends, potential entry points, and exit points based on crossovers and price interactions with these moving averages.
Impulse MACD Premium+Send crypto gift to: 0xf417096335b9A9B6Ce73C619fDe1485429521032
Impulse MACD Premium+ is a powerful and advanced technical analysis indicator designed for traders looking for deep insights into market trends, momentum, and volatility. Built on the widely-used MACD (Moving Average Convergence Divergence) tool, this version includes a variety of customizable settings and features to enhance your trading strategy. Here's an overview of its capabilities:
Key Features:
Customizable MACD Settings: Choose your own Fast, Slow, and Signal Lengths, as well as the MACD Source for precise control over your analysis.
Advanced Smoothing Options: Select from multiple smoothing techniques including EMA, ZLEMA, HULL, and VWMA, ensuring the smoothest and most relevant trend data for your needs.
Visual Enhancements: Enjoy enhanced chart visualization with background colors indicating trend direction, MACD crosses, volume profiles, and a trend strength heatmap.
Multi-Timeframe MACD: Incorporate higher timeframe MACD values into your analysis, offering a broader perspective on price action across different timeframes.
Divergence Detection: Get alerts and signals for bullish and bearish divergences to identify potential reversals and market shifts.
Alerts & Signals: Receive automatic alerts for MACD crosses, trend shifts, and divergence conditions. Customize alerts based on your preferences.
Market Filters: Apply trend and volatility filters to ensure you’re trading under the best market conditions, improving the accuracy of your entries and exits.
Buy & Sell Signals: The indicator plots buy and sell signals based on MACD crossovers, trend confirmation, and volatility checks, helping you make timely trading decisions.
Whether you are an experienced trader or just getting started, Impulse MACD Premium+ offers a range of sophisticated tools to help you stay ahead of the market. Its combination of trend-following and divergence-based signals makes it an invaluable tool for anyone serious about technical analysis.
MACD + EMA Cross by Mayank
It is 6 indicator in one :
5 ema 5 / 9 / 20/ 50/ 200 & MACD cross
When MACD (5,9,5) is greater than signal (5) and Momentum EMA (5) crosses up the Fast EMA (9), it generates B Signal.
when Signal is greater than MACD and Fast EMA(9) crosses down the Momentum EMA(5) , it generates S Signal.
When MACD (5,9,5): bullish crossover it generate M_B
When MACD (5,9,5): bearish crossover it generates M_S
PENTAD THEORY 30 MINUTE INITIAL BALANCE With Candle HighlightThis indicator is designed to highlight the 30-minute initial balance range, visualize key retracement levels, and provide insights into market behavior based on defined conditions. It also enhances clarity by applying specific color changes to the :06 and :36 minute candle in relative 30-minute intervals.
Key Features:
Initial Balance Box:
Automatically creates a price range (box) representing the first 6 minutes of each 30-minute interval.
The box dynamically updates during this period to capture the high and low prices.
Color-Coded Zones:
Inside the Box: Yellow background indicates price trading within the range.
Above the Box: Green background shows price breaking above the range.
Below the Box: Red background reflects price breaking below the range.
EMA Overlay:
Plots 3 customizable EMAs (default lengths: 9, 21, 55).
Each EMA can be toggled on/off and colored individually for trend analysis.
Retracement Levels:
Automatically calculates and displays key Fibonacci retracement levels (61.8% and 38.2%) based on the box size.
Adds a midline for additional price reference.
Candle Highlighting:
The :06 and :36 minute candle in relative 30-minute intervals is highlighted with a customizable blue color to draw attention to specific market activity.
The break above or below the 6 minute candle or the close of the 6 minute candle outside the box can help determine the direction of the 30-minute interval.
How to Use:
Trend Confirmation:
Use the EMAs to identify overall trend direction. For example, a bullish trend is indicated when shorter EMAs (e.g., 9 EMA) are above longer ones (e.g., 55 EMA).
Breakout and Retracement Analysis:
Watch for price breaking out of the initial balance box.
Observe retracement levels (61.8% and 38.2%) as potential areas for reversal or continuation.
Candle Highlight:
Pay special attention to the :06 or :36 minute candle, which is highlighted to signify its relevance in the relative 30-minute cycle.
Customization:
Adjust colors and EMA settings via the input menu to align with your trading style and chart aesthetics.
Ideal For:
Intraday traders looking to analyze initial balance ranges.
Traders focused on breakout, retracement, and trend-following strategies.
Those who benefit from visual clarity and real-time market insights.
Notes:
Ensure your chart is set to a 3-minute timeframe or lower for optimal performance.
This indicator is most effective when combined with other confluence factors, such as support/resistance zones and volume analysis.
6 Band Parametric EQThis indicator implements a complete parametric equalizer on any data source using high-pass and low-pass filters, high and low shelving filters, and six fully configurable bell filters. Each filter stage features standard audio DSP controls including frequency, Q factor, and gain where applicable. While parametric EQ is typically used for audio processing, this implementation raises questions about the nature of filtering in technical analysis. Why stop at simple moving averages when you can shape your signal's frequency response with surgical precision? The answer may reveal more about our assumptions than our indicators.
Filter Types and Parameters
High-Pass Filter:
A high-pass filter attenuates frequency components below its cutoff frequency while passing higher frequencies. The Q parameter controls resonance at the cutoff point, with higher values creating more pronounced peaks.
Low-Pass Filter:
The low-pass filter does the opposite - it attenuates frequencies above the cutoff while passing lower frequencies. Like the high-pass, its Q parameter affects the resonance at the cutoff frequency.
High/Low Shelf Filters:
Shelf filters boost or cut all frequencies above (high shelf) or below (low shelf) the target frequency. The slope parameter determines the steepness of the transition around the target frequency , with a value of 1.0 creating a gentle slope and lower values making the transition more abrupt. The gain parameter sets the amount of boost or cut in decibels.
Bell Filters:
Bell (or peaking) filters create a boost or cut centered around a specific frequency. A bell filter's frequency parameter determines the center point of the effect, while Q controls the width of the affected frequency range - higher Q values create a narrower bandwidth. The gain parameter defines the amount of boost or cut in decibels.
All filters run in series, processing the signal in this order: high-pass → low shelf → bell filters → high shelf → low-pass. Each stage can be independently enabled or bypassed.
The frequency parameter for all filters represents the period length of the targeted frequency component. Lower values target higher frequencies and vice versa. All gain values are in decibels, where positive values boost and negative values cut.
The 6-Band Parametric EQ combines these filters into a comprehensive frequency shaping tool. Just as audio engineers use parametric EQs to sculpt sound, this indicator lets you shape market data's frequency components with surgical precision. But beyond its technical implementation, this indicator serves as a thought experiment about the nature of filtering in technical analysis. While traditional indicators often rely on simple moving averages or single-frequency filters, the parametric EQ takes this concept to its logical extreme - offering complete control over the frequency domain of price action. Whether this level of filtering precision is useful for analysis is perhaps less important than what it reveals about our assumptions regarding market data and its frequency components.
FON60DK by leventsahThe strategy generates buy and sell signals using the Tillson T3 and TOTT (Twin Optimized Trend Tracker) indicators. Additionally, the Williams %R indicator is used to filter the signals. Below is an explanation of the main components of the code:
1. Input Parameters:
Tillson T3 and TOTT parameters: Separate parameters are defined for both buy (AL) and sell (SAT) conditions. These parameters control the sensitivity and behavior of the indicators.
Williams %R period: The period for the Williams %R indicator is set to determine overbought and oversold levels.
2. Tillson T3 Calculation:
The Tillson T3 indicator is a smoothed moving average that uses an exponential moving average (EMA) with additional smoothing. The formula calculates a weighted average of multiple EMAs to produce a smoother line.
The t3 function computes the Tillson T3 value based on the close price and the input parameters.
3. TOTT Calculation (Twin Optimized Trend Tracker):
The TOTT indicator is a trend-following tool that adjusts its sensitivity based on market conditions. It uses a combination of price action and a volatility coefficient to determine trend direction.
The Var_Func function calculates the TOTT value, which is then used to derive the OTT (Optimized Trend Tracker) levels for both buy and sell conditions.
4. Williams %R Calculation:
Williams %R is a momentum oscillator that measures overbought and oversold levels. It is calculated using the highest high and lowest low over a specified period.
5. Buy and Sell Conditions:
Buy Condition: A buy signal is generated when the Tillson T3 value crosses above the TOTT upper band (OTTup) and the Williams %R is above -20 (indicating an oversold condition).
Sell Condition: A sell signal is generated when the Tillson T3 value crosses below the TOTT lower band (OTTdnS) and the Williams %R is above -70 (used to close long positions).
6. Strategy Execution:
The strategy.entry function is used to open a long position when the buy condition is met.
The strategy.close function is used to close the long position when the sell condition is met.
7. Visualization:
The bars on the chart are colored green when a long position is open.
The Tillson T3, TOTT upper band (OTTup), and TOTT lower band (OTTdn) are plotted on the chart for both buy and sell conditions.
8. Plots:
The Tillson T3 values for buy and sell conditions are plotted in blue.
The TOTT upper and lower bands are plotted in green and red, respectively, for both buy and sell conditions.
Summary:
This strategy combines trend-following indicators (Tillson T3 and TOTT) with a momentum oscillator (Williams %R) to generate buy and sell signals. The use of separate parameters for buy and sell conditions allows for fine-tuning the strategy based on market behavior. The visual elements, such as colored bars and plotted indicators, help traders quickly identify signals and trends on the chart.