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.
Osciladores
majikal78
Custom Volume Ratio Indicator
The Custom Volume Ratio Indicator is a unique tool designed for traders to analyze price movements in relation to trading volume. This indicator calculates the ratio of the price range (the difference between the highest and lowest prices of a candle) to the volume of that candle. By visualizing this ratio, traders can gain insights into market dynamics and potential price movements.
Key Features:
1. Price Range Calculation: The indicator computes the price range for each candle by subtracting the lowest price from the highest price. This gives traders an understanding of how much price fluctuated during that specific time frame.
2. Volume Measurement: It utilizes the trading volume of each candle, which reflects the number of shares or contracts traded during that period. Volume is a critical factor in confirming trends and reversals in the market.
3. Ratio Visualization: The primary output of the indicator is the ratio of price range to volume. A higher ratio may indicate increased volatility relative to volume, suggesting potential trading opportunities. Conversely, a lower ratio could imply a more stable market environment.
4. Color-Coded Bars: The bars representing the ratio are color-coded based on the candle's closing price relative to its opening price. Green bars indicate bullish candles (where the close is higher than the open), while red bars indicate bearish candles (where the close is lower than the open). This visual cue helps traders quickly assess market sentiment.
5. Background Highlighting: The indicator also features a subtle background color to enhance visibility, making it easier for traders to focus on key areas of interest on the chart.
Use Cases:
• Trend Confirmation: Traders can use the volume ratio to confirm existing trends. A rising ratio alongside increasing volume may suggest a strong bullish trend, while a declining ratio could indicate weakening momentum.
• Volatility Assessment: By analyzing the price range relative to volume, traders can identify periods of high volatility. This information can be crucial for setting stop-loss orders or determining entry points.
• Market Sentiment Analysis: The color-coded bars provide immediate insight into market sentiment, allowing traders to make informed decisions based on recent price action.
Overall, the Custom Volume Ratio Indicator serves as a valuable addition to any trader's toolkit, providing essential insights into market behavior and helping to inform trading strategies.
PGO For Loop | mad_tiger_slayerPGO For Loop Indicator
The PGO For Loop indicator, inspired by Alex Orekhov's "Pretty Good Oscillator," and indicator originally made by Mark Johnson, the PGO designed as a fast and responsive tool to capture quick price movements in financial markets. This oscillator leverages a combination of moving averages and Average True Range (ATR) to measure price deviations, providing a concise yet powerful framework for identifying potential trade entry and exit points. What makes this
"enhanced" PGO indicator special is its ability to identify trending periods more accurately. By using thresholds, this allows the script to enter accurate long and short conditions extremely quickly.
Intended Uses:
Used to capture long-term trends:
Used to identify quick reversals:
Used on higher timeframes above 8hrs for more accurate signals
Used in strategies to enter and exit trades quickly
Can be used for Scalping
NOT Intended Uses:
Not to be used as Mean Reversion
Not to be used as valuation (Overbought or Oversold)
Key Features:
Quick Detection of Market Movements:
The indicator's primary focus is on speed, making it suitable for medium-term traders looking to capitalize on rapid price changes. It is particularly effective in trending or volatile markets.
Customizable Thresholds:
Users can set upper and lower thresholds to define long and short conditions, offering flexibility to adapt the indicator to different trading styles and asset classes.
Noisy but Purposeful:
While the PGO For Loop may generate frequent signals, it is specifically tuned for traders aiming to enter and exit trades quickly, embracing the noise as part of its effectiveness in capturing rapid market dynamics.
Integrated Visuals:
The script plots key levels and provides dynamic visual feedback through colored candles and shapes, enabling intuitive and quick decision-making.
How It Works:
Oscillator Calculation:
The PGO value is derived by comparing the source price's deviation from its moving average to the ATR. This highlights price movements relative to recent volatility.
Signal Identification:
When the oscillator exceeds the upper threshold, it signals potential long opportunities UNTIL the PGO reaches the lower threshold.
When the oscillator drops below the lower threshold, it signals potential short opportunities UNTIL the oscillator reaches above the upper threshold.
No signals occur when the oscillator lies between these thresholds.
Visual Cues:
Color-coded candles indicate market bias (green for long, red for short, gray for neutral).
Upward and downward triangles highlight changes in signal direction.
Note:
This indicator is intentionally "noisy," as it prioritizes capturing fast movements over filtering out minor fluctuations. Users should pair it with other tools or techniques to confirm signals and manage risk effectively.
Systematic Risk Aggregation ModelThe “Systematic Risk Aggregation Model” is a quantitative trading strategy implemented in Pine Script™ designed to assess and visualize market risk by aggregating multiple financial risk factors. This model uses a multi-dimensional scoring approach to quantify systemic risk, incorporating volatility, drawdowns, put/call ratios, tail risk, volume spikes, and the Sharpe ratio. It derives a composite risk score, which is dynamically smoothed and plotted alongside adaptive Bollinger Bands to identify trading opportunities. The strategy’s theoretical framework aligns with modern portfolio theory and risk management literature (Markowitz, 1952; Taleb, 2007).
-----------------------------------------------------------------------------------------------
Key Components of the Model
1. Volatility as a Risk Proxy
The model calculates the standard deviation of the closing price over a specified period (volatility_length) to quantify market uncertainty. Volatility is normalized to a score between 0 and 100, using its historical minimum and maximum values.
Reference: Volatility has long been regarded as a critical measure of financial risk and uncertainty in capital markets (Hull, 2008).
2. Drawdown Assessment
The drawdown metric captures the relative distance of the current price from the highest price over the specified period (drawdown_length). This is converted into a normalized score to reflect the magnitude of recent losses.
Reference: Drawdown is a key metric in risk management, often used to measure potential downside risk in portfolios (Maginn et al., 2007).
3. Put/Call Ratio as a Sentiment Indicator
The strategy integrates the put/call ratio, sourced from an external symbol, to assess market sentiment. High values often indicate bearish sentiment, while low values suggest bullish sentiment (Whaley, 2000). The score is normalized similarly to other metrics.
4. Tail Risk via Modified Z-Score
Tail risk is approximated using the modified Z-score, which measures the deviation of the closing price from its moving average relative to its standard deviation. This approach captures extreme price movements and potential “black swan” events.
Reference: Taleb (2007) discusses the importance of considering tail risks in financial systems.
5. Volume Spikes as a Proxy for Market Activity
A volume spike is defined as the ratio of current volume to its moving average. This ratio is normalized into a score, reflecting unusual trading activity, which may signal market turning points.
Reference: Volume analysis is a foundational tool in technical analysis and is often linked to price momentum (Murphy, 1999).
6. Sharpe Ratio for Risk-Adjusted Returns
The Sharpe ratio measures the risk-adjusted return of the asset, using the mean log return divided by its standard deviation over the same period. This ratio is transformed into a score, reflecting the attractiveness of returns relative to risk.
Reference: Sharpe (1966) introduced the Sharpe ratio as a standard measure of portfolio performance.
----------------------------------------------------------------------------------------------
Composite Risk Score
The composite risk score is calculated as a weighted average of the individual risk factors:
• Volatility: 30%
• Drawdown: 20%
• Put/Call Ratio: 20%
• Tail Risk (Z-Score): 15%
• Volume Spike: 10%
• Sharpe Ratio: 5%
This aggregation captures the multi-dimensional nature of systemic risk and provides a unified measure of market conditions.
----------------------------------------------------------------------------------------------
Dynamic Bands with Bollinger Bands
The composite risk score is smoothed using a moving average and bounded by Bollinger Bands (basis ± 2 standard deviations). These bands provide dynamic thresholds for identifying overbought and oversold market conditions:
• Upper Band: Signals overbought conditions, where risk is elevated.
• Lower Band: Indicates oversold conditions, where risk subsides.
----------------------------------------------------------------------------------------------
Trading Strategy
The strategy operates on the following rules:
1. Entry Condition: Enter a long position when the risk score crosses above the upper Bollinger Band, indicating elevated market activity.
2. Exit Condition: Close the long position when the risk score drops below the lower Bollinger Band, signaling a reduction in risk.
These conditions are consistent with momentum-based strategies and adaptive risk control.
----------------------------------------------------------------------------------------------
Conclusion
This script exemplifies a systematic approach to risk aggregation, leveraging multiple dimensions of financial risk to create a robust trading strategy. By incorporating well-established risk metrics and sentiment indicators, the model offers a comprehensive view of market dynamics. Its adaptive framework makes it versatile for various market conditions, aligning with contemporary advancements in quantitative finance.
----------------------------------------------------------------------------------------------
References
1. Hull, J. C. (2008). Options, Futures, and Other Derivatives. Pearson Education.
2. Maginn, J. L., Tuttle, D. L., McLeavey, D. W., & Pinto, J. E. (2007). Managing Investment Portfolios: A Dynamic Process. Wiley.
3. Markowitz, H. (1952). Portfolio Selection. The Journal of Finance, 7(1), 77–91.
4. Murphy, J. J. (1999). Technical Analysis of the Financial Markets. New York Institute of Finance.
5. Sharpe, W. F. (1966). Mutual Fund Performance. The Journal of Business, 39(1), 119–138.
6. Taleb, N. N. (2007). The Black Swan: The Impact of the Highly Improbable. Random House.
7. Whaley, R. E. (2000). The Investor Fear Gauge. The Journal of Portfolio Management, 26(3), 12–17.
NVOL Normalized Volume & VolatilityOVERVIEW
Plots a normalized volume (or volatility) relative to a given bar's typical value across all charted sessions. The concept is similar to Relative Volume (RVOL) and Average True Range (ATR), but rather than using a moving average, this script uses bar data from previous sessions to more accurately separate what's normal from what's anomalous. Compatible on all timeframes and symbols.
Having volume and volatility processed within a single indicator not only allows you to toggle between the two for a consistent data display, it also allows you to measure how correlated they are. These measurements are available in the data table.
DATA & MATH
The core formula used to normalize each bar is:
( Value / Basis ) × Scale
Value
The current bar's volume or volatility (see INPUTS section). When set to volume, it's exactly what you would expect (the volume of the bar). When set to volatility, it's the bar's range (high - low).
Basis
A statistical threshold (Mean, Median, or Q3) plus a Sigma multiple (standard deviations). The default is set to the Mean + Sigma × 3 , which represents 99.7% of data in a normal distribution. The values are derived from the current bar's equivalent in other sessions. For example, if the current bar time is 9:30 AM, all previous 9:30 AM bars would be used to get the Mean and Sigma. Thus Mean + Sigma × 3 would represent the Normal Bar Vol at 9:30 AM.
Scale
Depends on the Normalize setting, where it is 1 when set to Ratio, and 100 when set to Percent. This simply determines the plot's scale (ie. 0 to 1 vs. 0 to 100).
INPUTS
While the default configuration is recommended for a majority of use cases (see BEST PRACTICES), settings should be adjusted so most of the Normalized Plot and Linear Regression are below the Signal Zone. Only the most extreme values should exceed this area.
Normalize
Allows you to specify what should be normalized (Volume or Volatility) and how it should be measured (as a Ratio or Percentage). This sets the value and scale in the core formula.
Basis
Specifies the statistical threshold (Mean, Median, or Q3) and how many standard deviations should be added to it (Sigma). This is the basis in the core formula.
Mean is the sum of values divided by the quantity of values. It's what most people think of when they say "average."
Median is the middle value, where 50% of the data will be lower and 50% will be higher.
Q3 is short for Third Quartile, where 75% of the data will be lower and 25% will be higher (think three quarters).
Sample
Determines the maximum sample size.
All Charted Bars is the default and recommended option, and ignores the adjacent lookback number.
Lookback is not recommended, but it is available for comparisons. It uses the adjacent lookback number and is likely to produce unreliable results outside a very specific context that is not suitable for most traders. Normalization is not a moving average. Unless you have a good reason to limit the sample size, do not use this option and instead use All Charted Bars .
Show Vol. name on plot
Overlays "VOLUME" or "VOLATILITY" on the plot (whichever you've selected).
Lin. Reg.
Polynomial regressions are great for capturing non-linear patterns in data. TradingView offers a "linear regression curve", which this script uses as a substitute. If you're unfamiliar with either term, think of this like a better moving average.
You're able to specify the color, length, and multiple (how much to amplify the value). The linear regression derives its value from the normalized values.
Norm. Val.
This is the color of the normalized value of the current bar (see DATA & MATH section). You're able to specify the default, within signal, and beyond signal colors. As well as the plot style.
Fade in colors between zero and the signal
Programmatically adjust the opacity of the primary plot color based on it's normalized value. When enabled, values equal to 0 will be fully transparent, become more opaque as they move away from 0, and be fully opaque at the signal. Adjusting opacity in this way helps make difference more obvious.
Plot relative to bar direction
If enabled, the normalized value will be multiplied by -1 when a bar's open is greater than the bar's close, mirroring price direction.
Technically volume and volatility are directionless. Meaning there's really no such thing as buy volume, sell volume, positive volatility, or negative volatility. There is just volume (1 buy = 1 sell = 1 volume) and volatility (high - low). Even so, visually reflecting the net effect of pricing pressure can still be useful. That's all this setting does.
Sig. Zone
Signal zones make identifying extremes easier. They do not signal if you should buy or sell, only that the current measurement is beyond what's normal. You are able to adjust the color and bounds of the zone.
Int. Levels
Interim levels can be useful when you want to visually bracket values into high / medium / low. These levels can have a value anywhere between 0 and 1. They will automatically be multiplied by 100 when the scale is set to Percent.
Zero Line
This setting allows you to specify the visibility of the zero line to best suit your trading style.
Volume & Volatility Stats
Displays a table of core values for both volume and volatility. Specifically the actual value, threshold (mean, median, or Q3), sigma (standard deviation), basis, normalized value, and linear regression.
Correlation Stats
Displays a table of correlation statistics for the current bar, as well as the data set average. Specifically the coefficient, R2, and P-Value.
Indices & Sample Size
Displays a table of mixed data. Specifically the current bar's index within the session, the current bar's index within the sample, and the sample size used to normalize the current bar's value.
BEST PRACTICES
NVOL can tell you what's normal for 9:30 AM. RVOL and ATR can only tell you if the current value is higher or lower than a moving average.
In a normal distribution (bell curve) 99.7% of data occurs within 3 standard deviations of the mean. This is why the default basis is set to "Mean, 3"; it includes the typical day-to-day fluctuations, better contextualizing what's actually normal, minimizing false positives.
This means a ratio value greater than 1 only occurs 0.3% of the time. A series of these values warrants your attention. Which is why the default signal zone is between 1 and 2. Ratios beyond 2 would be considered extreme with the default settings.
Inversely, ratio values less than 1 (the normal daily fluctuations) also tell a story. We should expect most values to occur around the middle 3rd, which is why interim levels default to 0.33 and 0.66, visually simplifying a given move's participation. These can be set to whatever you like and only serve as visual aids for your specific trading style.
It's worth noting that the linear regression oscillates when plotted directionally, which can help clarify short term move exhaustion and continuation. Akin to a relative strength index (RSI), it may be used to inform a trading decision, but it should not be the only factor.
Machine Learning IndexesMachine Learning Indexes Script Description
The Machine Learning Indexes script is an advanced Pine Script™ indicator that applies machine learning techniques to analyze various market data types. It enables traders to generate adaptive long and short signals using highly customizable settings for signal detection and analysis.
Key Features:
Signal Mode: Allows the user to choose between generating signals for "Longs" (buy opportunities) or "Shorts" (sell opportunities).
Index Type: Supports multiple index types including RSI, CCI, MFI, Stochastic, and Momentum. All indexes are normalized between 0-100 for uniformity.
Data Set Selection: Provides options for analyzing Price, Volume, Volatility, or Momentum-based data sets. This enables traders to adapt the script to their preferred market analysis methodology.
Absolute vs. Directional Changes: Includes a toggle to calculate absolute changes for values or maintain directional sensitivity for trend-based analysis.
Dynamic Index Calculation: Automatically calculates and compares multiple index lengths to determine the best fit for current market conditions, adding precision to signal generation.
Input Parameters:
Signal Settings:
Signal Mode: Selects between "Longs" or "Shorts" to define the signal direction.
Index Type: Chooses the type of market index for calculations. Options include RSI, CCI, MFI, Stochastic, and Momentum.
Data Set Type: Determines the basis of the analysis, such as Price, Volume, Volatility, or Momentum-based data.
Absolute Change: Toggles whether absolute or directional changes are considered for calculations.
Index Settings:
Min Index Length: Sets the base index length used for calculations.
Index Length Variety: Adjusts the increment steps for variations in index length.
Lower/Upper Bands: Define thresholds for the selected index, indicating overbought and oversold levels.
Signal Parameters:
Target Signal Size: Number of bars used to identify pivot points.
Backtest Trade Size: Defines the number of bars over which signal performance is measured.
Sample Size: Number of data points used to calculate signal metrics.
Signal Strength Needed: Sets the minimum confidence required for a signal to be considered valid.
Require Low Variety: Option to prioritize signals with lower variability in results.
How It Works:
The script dynamically calculates multiple index variations and compares their accuracy to detect optimal parameters for generating signals.
Signal validation considers the chosen mode (longs/shorts), data set, index type, and signal parameters.
Adaptive moving averages (ADMA) and Band Signals (BS) are plotted to visualize the interaction between market trends and thresholds.
Long and short signals are displayed with clear up (L) and down (S) labels for easy interpretation.
Performance Metrics:
Success Rate: Percentage of valid signals that led to profitable outcomes.
Profit Factor: Ratio of gains from successful trades to losses from unsuccessful trades.
Disclaimer:
This indicator is for informational purposes only and does not guarantee future performance. It is designed to support traders in making informed decisions but should be used alongside other analysis methods and risk management strategies.
Trend Reversal Probability [Algoalpha]Introducing Trend Reversal Probability by AlgoAlpha – a powerful indicator that estimates the likelihood of trend reversals based on an advanced custom oscillator and duration-based statistics. Designed for traders who want to stay ahead of potential market shifts, this indicator provides actionable insights into trend momentum and reversal probabilities.
Key Features :
🔧 Custom Oscillator Calculation: Combines a dual SMA strategy with a proprietary RSI-like calculation to detect market direction and strength.
📊 Probability Levels & Visualization: Plots average signal durations and their statistical deviations (±1, ±2, ±3 SD) on the chart for clear visual guidance.
🎨 Dynamic Color Customization: Choose your preferred colors for upward and downward trends, ensuring a personalized chart view.
📈 Signal Duration Metrics: Tracks and displays signal durations with columns representing key percentages (80%, 60%, 40%, and 20%).
🔔 Alerts for High Probability Events: Set alerts for significant reversal probabilities (above 84% and 98% or below 14%) to capture key trading moments.
How to Use :
Add the Indicator: Add Trend Reversal Probability to your favorites by clicking the star icon.
Market Analysis: Use the plotted probability levels (average duration and ±SD bands) to identify overextended trends and potential reversals. Use the color of the duration counter to identify the current trend.
Leverage Alerts: Enable alerts to stay informed of high or extreme reversal probabilities without constant chart monitoring.
How It Works :
The indicator begins by calculating a custom oscillator using short and long simple moving averages (SMA) of the midpoint price. A proprietary RSI-like formula then transforms these values to estimate trend direction and momentum. The duration between trend reversals is tracked and averaged, with standard deviations plotted to provide probabilistic guidance on trend longevity. Additionally, the indicator incorporates a cumulative probability function to estimate the likelihood of a trend reversal, displaying the result in a data table for easy reference. When probability levels cross key thresholds, alerts are triggered, helping traders take timely action.
Improved SF Oscillator | JeffreyTimmermansImproved SF Oscillator
The "Improved SF Oscillator" is an advanced and versatile technical indicator designed to transform any moving average (MA) into a dynamic oscillator. This cutting-edge tool incorporates up to 13 different moving average types, including specialized indicators like Kaufman’s Adaptive Moving Average (KAMA), Tillson's Exponential Moving Average (T3), and the Arnaud Legoux Moving Average (ALMA). The oscillator offers traders a powerful tool for both trend-following and mean reversion strategies, significantly enhancing their ability to analyze market movements, identify potential entry and exit points, and make informed trading decisions.
This script is inspired by "EliCobra" . However, it is more advanced and includes additional features and options.
Core Functionality and Methodology
The Improved SF Oscillator leverages user-defined parameters to calculate the selected moving average type. Key inputs, such as the length of the MA and smoothing factors, offer traders extensive customization. Additionally, the indicator utilizes a unique process of deriving both the mean and standard deviation of the moving average over a defined normalization period. This method is crucial for normalizing the moving average and standardizing its behavior. The final step in this calculation involves deriving the Z-Score, which is computed by subtracting the moving average's mean from its current value and then dividing the result by the standard deviation.
This normalization allows the oscillator to display a standardized value that highlights the relative position of the moving average, offering a clear view of market volatility and potential trend shifts. By incorporating this statistical approach, the Improved SF Oscillator helps traders assess price behavior in relation to its typical fluctuations, providing vital insight into whether the price is overbought, oversold, or near a turning point.
The Moving Average Types
One of the standout features of the Improved SF Oscillator is its support for a wide variety of moving average types. Each MA type has its own unique methodology and behavior, allowing traders to choose the best fit for their trading strategy:
KAMA (Kaufman’s Adaptive Moving Average):
KAMA is designed to adapt its smoothing period dynamically based on market volatility. When market conditions are more volatile, KAMA responds quickly, while during calmer periods, it smooths price action more effectively. This characteristic allows KAMA to capture trends with minimal noise, providing traders with a smoother and more adaptive moving average.
T3 (Tillson's Exponential Moving Average):
The T3 MA is a refined version of the traditional EMA. By applying additional smoothing to the moving average, it significantly reduces lag and increases responsiveness. This allows traders to capture trends more accurately while maintaining the benefit of smooth price tracking.
ALMA (Arnaud Legoux Moving Average):
ALMA combines both linear regression and exponential smoothing techniques. Its unique formula allows for reduced lag and noise, providing a smoother representation of price trends. ALMA is particularly useful in detecting trend changes and is highly favored for its precision and ability to identify entry and exit points with minimal delay.
Z-Score and Normalization
The Z-Score is central to the functionality of the Improved SF Oscillator. By calculating the standard deviation and mean of the moving average over a defined period, the Z-Score standardizes the values of the MA. This transformation allows traders to assess the relative position of price in terms of how far it deviates from its mean, taking market volatility into account.
The Z-Score provides the following key benefits:
Overbought/Oversold Conditions: By assessing the Z-Score, traders can identify whether the price is approaching overbought or oversold conditions. Extreme positive or negative Z-Score values indicate potential reversals.
Volatility Adjustments: The Z-Score allows traders to understand market volatility in a normalized way, facilitating more accurate readings of price movements in relation to their typical behavior.
Enhanced Utility and Features
The Improved SF Oscillator is built for use in both trend-following and mean-reversion strategies. Traders can analyze the position of the oscillator relative to its midline to confirm trends. The oscillator’s deviation from the midline can indicate potential reversals, while extreme values can serve as signals for mean-reversion trades.
Additional features include:
Custom Alerts: The Improved SF Oscillator comes with real-time alerts for significant events such as trend reversals or when the oscillator crosses important thresholds. Traders can set alerts for when the oscillator exceeds a specified Z-Score, signaling overbought or oversold conditions.
Reversal Bubbles: To further aid in identifying turning points, the oscillator provides visually distinctive bubbles on the chart that highlight potential reversal points. These bubbles mark instances when the oscillator reaches an extreme value and then begins to reverse, offering valuable signals for potential entry or exit points.
Bar Coloring Options: The oscillator features a variety of bar coloring options, including:
Trend (Midline Cross): Bar colors change when the oscillator crosses its midline, signaling potential shifts in market momentum.
Extremities: Bars are colored based on extreme values, helping traders quickly identify periods of high volatility or potential trend reversals.
Reversions: Bar colors change when reversal conditions are met, such as when the oscillator shows signs of turning from overbought to oversold or vice versa.
Slope: Bars are colored based on the slope of the oscillator, providing insights into the underlying momentum of the market.
Recent Improvements and Features
After its initial release, the Improved SF Oscillator underwent several significant updates aimed at enhancing its usability and providing traders with more advanced tools:
Reversal Point Alerts: The addition of alerts for potential reversal points adds a crucial layer of functionality. These alerts notify traders in real time when the oscillator signals an overbought or oversold condition, or when it reaches a reversal point that could mark a shift in market direction.
Dashboard Integration: A dashboard feature was introduced to provide an overview of the oscillator’s readings. This allows traders to quickly assess the market conditions and oscillator behavior across multiple timeframes or instruments, ensuring that they are always aware of potential opportunities or risks.
Visual Enhancements: Several visual improvements were made to the bar coloring system, making it easier for traders to quickly interpret market conditions at a glance. The addition of customized bar color schemes for trends, extremes, and slopes helps traders make faster decisions based on clear visual cues.
Revised Inputs and Customization: The user interface was improved to offer more flexibility in customizing the indicator’s inputs. Traders can now fine-tune the oscillator's behavior to match their trading style, adjusting factors such as the length of the moving average, the type of smoothing, and the threshold values for overbought and oversold conditions.
Use Cases and Practical Application
The Improved SF Oscillator is ideal for a wide range of trading strategies, from long-term trend-following techniques to short-term mean-reversion approaches. Here are some practical use cases:
Trend Confirmation: Traders can use the oscillator to confirm existing trends. When the oscillator is above the midline and moving upward, it may confirm a bullish trend. Similarly, a downward slope below the midline may indicate a bearish trend.
Mean Reversion Trading: By observing the oscillator’s movement beyond certain Z-Score thresholds, traders can identify potential mean-reversion opportunities. Extreme readings above or below the midline signal that price may be ready to revert to its average.
Reversal Detection: The reversal bubbles and alerts provide early warnings of potential trend reversals, making the Improved SF Oscillator an effective tool for spotting turning points before they fully manifest.
Volatility Assessment: The Z-Score and different MA types allow traders to assess market volatility, adjusting their trading approach based on the current market conditions. For instance, during periods of low volatility, slower MAs like KAMA may be more suitable, while during high volatility, faster MAs like T3 or ALMA can offer more responsiveness.
Key Features Recap
13 moving average types to suit different market conditions and trading strategies.
Z-Score normalization for accurate assessments of market volatility and overbought/oversold conditions.
Alerts for reversal points, extreme Z-Score values, and trend changes.
Dashboard to monitor oscillator values and conditions across timeframes and instruments.
Reversal point bubbles to visually highlight potential turning points.
Customizable bar coloring for trend, extremity, reversal, and slope visualization.
The Improved SF Oscillator offers a comprehensive, flexible, and user-friendly tool for traders looking to enhance their analysis and make better-informed decisions in a constantly evolving market. Whether used for trend-following, mean-reversion, or volatility analysis, this indicator is designed to provide valuable insights that can help traders navigate even the most challenging market conditions.
-Jeffrey
General Ehlers Oscillator | JeffreyTimmermansGeneral Ehlers Oscillator
The "General Ehlers Oscillator" is a powerful, technical indicator designed to provide traders with precise insights into market trends, reversals, and momentum. Built upon Dr. John Ehlers' innovative methodologies, this tool leverages advanced signal processing techniques to deliver near-zero lag with exceptional sensitivity to trend changes. Contact us via direct message to request access to this exclusive indicator.
Designed for multi-timeframe usability, the oscillator operates seamlessly across all intervals, from 1-second candles to monthly charts. Its outputs are normalized within a consistent range of -3.0 to +3.0, ensuring clarity and uniformity in identifying overbought, oversold, and midline conditions. With enhancements and added functionality, the General Ehlers Oscillator is a comprehensive tool for traders seeking to refine their analysis and improve trade timing.
This script is inspired by the Wizard: "ImmortalFreedom" . However, it is more advanced and includes additional features and options.
Core Methodology
The General Ehlers Oscillator employs cutting-edge techniques to enhance trend-following and reversal detection:
TrendFlex Calculation: Retains trend information while being highly responsive to reversals.
Zero-Lag Averaging: Near-zero lag processing ensures that signals are timely and reliable.
Bounded Output: Oscillator values are normalized between -3.0 and +3.0, allowing consistent interpretation across all timeframes.
Key Features
The General Ehlers Oscillator combines advanced calculations with user-friendly customization options to meet the needs of diverse trading strategies.
Adjustable Thresholds
Additional threshold levels have been introduced, offering more granular insights into overbought and oversold conditions.
Enhanced Threshold Coloring
Improved visual cues allow traders to quickly interpret the oscillator's position relative to key thresholds, making it easier to identify significant market conditions.
Dynamic Alerts
Real-time alerts provide notifications for critical events, such as midline crosses, extreme values, and reversal points, ensuring you never miss an important signal.
Dashboard Integration
The oscillator now features an integrated dashboard that displays key information at a glance. Traders can monitor critical metrics and oscillator conditions across multiple timeframes, ensuring comprehensive situational awareness.
Dynamic Label for TrendFlex
A dynamic label overlays the chart, providing immediate feedback on the oscillator’s TrendFlex readings and reinforcing its usability as a trend-confirmation and reversal tool.
Practical Applications
The General Ehlers Oscillator supports a variety of trading strategies, including:
Trend Confirmation: Use midline crossings and the slope of the oscillator to confirm ongoing trends.
Reversal Detection: Identify key turning points in the market with high sensitivity to reversals.
Mean-Reversion Strategies: Spot overbought and oversold conditions using oscillator extremes, signaling potential reversion opportunities.
Enhanced Utility
Reversal Sensitivity
The oscillator’s ability to detect reversals is enhanced by additional threshold levels and dynamic visual cues, helping traders act decisively at critical turning points.
Multi-Timeframe Consistency
With a bounded range of -3.0 to +3.0, the oscillator maintains consistent behavior across all timeframes, offering reliable insights for both intraday and long-term analysis.
Comprehensive Alerts
Set custom alerts for threshold breaches, midline crossings, and reversal signals to stay ahead of market movements.
Visual Enhancements
Improved threshold coloring and dynamic labels make interpreting market conditions faster and more intuitive, reducing analysis time and decision-making delays.
Recent Updates
The General Ehlers Oscillator has been significantly improved with the following updates:
Additional Thresholds: More thresholds have been added, providing detailed insights into varying levels of market conditions.
Enhanced Threshold Coloring: Thresholds are now color-coded with improved clarity, making it easier to identify critical zones.
Dynamic Alerts: Real-time alerts for trading, reversal points, and threshold breaches ensure timely notifications of key events.
Integrated Dashboard: The new dashboard consolidates critical information, offering a clear overview of oscillator behavior across timeframes.
Dynamic TrendFlex Label: A dynamic label overlays the chart, displaying real-time TrendFlex values and reinforcing the oscillator’s analytical capabilities.
Why Use the General Ehlers Oscillator?
The General Ehlers Oscillator combines advanced methodologies with enhanced usability, making it an indispensable tool for traders.
Advanced Signal Processing: Built on Dr. John Ehlers’ innovative techniques.
Bounded Range: Consistent performance with a normalized range of -3.0 to +3.0.
Enhanced Alerts: Stay on top of critical market events with dynamic alerts.
Visual Improvements: Clear, intuitive visuals ensure faster interpretation and decision-making.
Customizable Features: Tailor the oscillator’s behavior to suit your trading style and market conditions.
Whether you’re focused on trend-following, mean-reversion, or volatility analysis, the General Ehlers Oscillator provides the tools and insights you need to navigate complex market conditions with confidence. However, the General Ehlers Oscillator works best in trend-following regimes.
-Jeffrey
BS | Buy&Sell Signals With EMAKey Features:
EMA Intersections: Generates clear buy and sell signals based on predefined EMA crossings.
5 EMA Lines: Visualize market trends with five distinct EMA lines plotted on the chart.
Support and Resistance Levels: Easily identify crucial support and resistance levels with our integrated marker.
Comprehensive Indicator Panel: At the bottom of the chart, track Stochastic, RSI, Supertrend, and SMA across multiple timeframes (1m, 5m, 15m, 1H, 4H, Daily, Weekly).
Fully Customizable: Almost every indicator within the tool is adjustable to suit your preferences and trading style.
Alarm Feature: Set up alarms to stay informed of important market movements.
Unlock the full potential of your trading strategy with BS | Buy&Sell Signals With EMA. Customize, analyze, and trade with confidence.
created by @bahadirsezer
Normalized Price ComparisonNormalized Price Comparison Indicator Description
The "Normalized Price Comparison" indicator is designed to provide traders with a visual tool for comparing the price movements of up to three different financial instruments on a common scale, despite their potentially different price ranges. Here's how it works:
Features:
Normalization: This indicator normalizes the closing prices of each symbol to a scale between 0 and 1 over a user-defined period. This normalization process allows for the comparison of price trends regardless of the absolute price levels, making it easier to spot relative movements and trends.
Crossing Alert: It features an alert functionality that triggers when the normalized price lines of the first two symbols (Symbol 1 and Symbol 2) cross each other. This can be particularly useful for identifying potential trading opportunities when one asset's relative performance changes against another.
Customization: Users can input up to three symbols for analysis. The normalization period can be adjusted, allowing flexibility in how historical data is considered for the scaling process. This period determines how many past bars are used to calculate the minimum and maximum prices for normalization.
Visual Representation: The indicator plots these normalized prices in a separate pane below the main chart. Each symbol's normalized price is represented by a distinct colored line:
Symbol 1: Blue line
Symbol 2: Red line
Symbol 3: Green line
Use Cases:
Relative Performance Analysis: Ideal for investors or traders who want to compare how different assets are performing relative to each other over time, without the distraction of absolute price differences.
Divergence Detection: Useful for spotting divergences where one asset might be outperforming or underperforming compared to others, potentially signaling changes in market trends or investment opportunities.
Crossing Strategy: The alert for when Symbol 1 and Symbol 2's normalized lines cross can be used as a part of a trading strategy, signaling potential entry or exit points based on relative price movements.
Limitations:
Static Alert Messages: Due to Pine Script's constraints, the alert messages cannot dynamically include the names of the symbols being compared. The alert will always mention "Symbol 1" and "Symbol 2" crossing.
Performance: Depending on the timeframe and the number of symbols, performance might be affected, especially on lower timeframes with high data frequency.
This indicator is particularly beneficial for those interested in multi-asset analysis, offering a streamlined way to observe and react to relative price movements in a visually coherent manner. It's a powerful tool for enhancing your trading or investment analysis by focusing on trends and relationships rather than raw price data.
Absolute Strength Index [ASI] (Zeiierman)█ Overview
The Absolute Strength Index (ASI) is a next-generation oscillator designed to measure the strength and direction of price movements by leveraging percentile-based normalization of historical returns. Developed by Zeiierman, this indicator offers a highly visual and intuitive approach to identifying market conditions, trend strength, and divergence opportunities.
By dynamically scaling price returns into a bounded oscillator (-10 to +10), the ASI helps traders spot overbought/oversold conditions, trend reversals, and momentum changes with enhanced precision. It also incorporates advanced features like divergence detection and adaptive signal smoothing for versatile trading applications.
█ How It Works
The ASI's core calculation methodology revolves around analyzing historical price returns, classifying them into top and bottom percentiles, and normalizing the current price movement within this framework. Here's a breakdown of its key components:
⚪ Returns Lookback
The ASI evaluates historical price returns over a user-defined period (Returns Lookback) to measure recent price behavior. This lookback window determines the sensitivity of the oscillator:
Shorter Lookback: Higher responsiveness to recent price movements, suitable for scalping or high-volatility assets.
Longer Lookback: Smoother oscillator behavior is ideal for identifying larger trends and avoiding false signals.
⚪ Percentile-Based Thresholds
The ASI categorizes returns into two groups:
Top Percentile (Winners): The upper X% of returns, representing the strongest upward price moves.
Bottom Percentile (Losers): The lower X% of returns, capturing the sharpest downward movements.
This percentile-based normalization ensures the ASI adapts to market conditions, filtering noise and emphasizing significant price changes.
⚪ Oscillator Normalization
The ASI normalizes current returns relative to the top and bottom thresholds:
Values range from -10 to +10, where:
+10 represents extreme bullish strength (above the top percentile threshold).
-10 indicates extreme bearish weakness (below the bottom percentile threshold).
⚪ Signal Line Smoothing
A signal line is optionally applied to the ASI using a variety of moving averages:
Options: SMA, EMA, WMA, RMA, or HMA.
Effect: Smooths the ASI to filter out noise, with shorter lengths offering higher responsiveness and longer lengths providing stability.
⚪ Divergence Detection
One of ASI's standout features is its ability to detect and highlight bullish and bearish divergences:
Bullish Divergence: The ASI forms higher lows while the price forms lower lows, signaling potential upward reversals.
Bearish Divergence: The ASI forms lower highs while the price forms higher highs, indicating potential downward reversals.
█ Key Differences from RSI
Dynamic Adaptability: ASI adjusts to market conditions through percentile-based scaling, while RSI uses static thresholds.
█ How to Use ASI
⚪ Trend Identification
Bullish Strength: ASI above zero suggests upward momentum, suitable for trend-following trades.
Bearish Weakness: ASI below zero signals downward momentum, ideal for short trades or exits from long positions.
⚪ Overbought/Oversold Levels
Overbought Zone: ASI in the +8 to +10 range indicates potential exhaustion of bullish momentum.
Oversold Zone: ASI in the -8 to -10 range points to potential reversal opportunities.
⚪ Divergence Signals
Look for bullish or bearish divergence labels to anticipate trend reversals before they occur.
⚪ Signal Line Crossovers
A crossover between the ASI and its signal line (e.g., EMA or SMA) can indicate a shift in momentum:
Bullish Crossover: ASI crosses above the signal line, signaling potential upside.
Bearish Crossover: ASI crosses below the signal line, suggesting downside momentum.
█ Settings Explained
⚪ Absolute Strength Index
Returns Lookback: Sets the sensitivity of the oscillator. Shorter periods detect short-term changes, while longer periods focus on broader trends.
Top/Bottom Percentiles: Adjust thresholds for defining winners and losers. Narrower percentiles increase sensitivity to outliers.
Signal Line Type: Choose from SMA, EMA, WMA, RMA, or HMA for smoothing.
Signal Line Length: Fine-tune the responsiveness of the signal line.
⚪ Divergence
Divergence Lookback: Adjusts the period for detecting divergence. Use longer lookbacks to reduce noise.
-----------------
Disclaimer
The information contained in my Scripts/Indicators/Ideas/Algos/Systems does not constitute financial advice or a solicitation to buy or sell any securities of any type. I will not accept liability for any loss or damage, including without limitation any loss of profit, which may arise directly or indirectly from the use of or reliance on such information.
All investments involve risk, and the past performance of a security, industry, sector, market, financial product, trading strategy, backtest, or individual's trading does not guarantee future results or returns. Investors are fully responsible for any investment decisions they make. Such decisions should be based solely on an evaluation of their financial circumstances, investment objectives, risk tolerance, and liquidity needs.
My Scripts/Indicators/Ideas/Algos/Systems are only for educational purposes!
Normalized Jurik Moving Average [QuantAlgo]Upgrade your investing and trading strategy with the Normalized Jurik Moving Average (JMA) , a sophisticated oscillator that combines adaptive smoothing with statistical normalization to deliver high-quality signals! Whether you're a swing trader looking for momentum shifts or a medium- to long-term investor focusing on trend validation, this indicator's statistical approach offers valuable analytical advantages that can enhance your trading and investing decisions!
🟢 Core Architecture
The foundation of this indicator lies in its unique dual-layer calculation system. The first layer implements the Jurik Moving Average, known for its superior noise reduction and responsiveness, while the second layer applies statistical normalization (Z-Score) to create standardized readings. This sophisticated approach helps identify significant price movements while filtering out market noise across various timeframes and instruments.
🟢 Technical Foundation
Three key components power this indicator are:
Jurik Moving Average (JMA): An advanced moving average calculation that provides superior smoothing with minimal lag
Statistical Normalization: Z-Score based scaling that creates consistent, comparable readings across different market conditions
Dynamic Zone Detection: Automatically identifies overbought and oversold conditions based on statistical deviations
🟢 Key Features & Signals
The Normalized JMA delivers market insights through:
Color-adaptive oscillator line that reflects momentum strength and direction
Statistically significant overbought/oversold zones for trade validation
Smart gradient fills between signal line and zero level for enhanced visualization
Clear long (L) and short (S) markers for validated momentum shifts
Intelligent bar coloring that highlights the current market state
Customizable alert system for both bullish and bearish setups
🟢 Practical Usage Tips
Here's how to maximize your use of the Normalized JMA:
1/ Setup:
Add the indicator to your favorites, then apply it to your chart ⭐️
Begin with the default smoothing period for balanced analysis
Use the default normalization period for optimal signal generation
Start with standard visualization settings
Customize colors to match your chart preferences
Enable both bar coloring and signal markers for complete visual feedback
2/ Reading Signals:
Watch for L/S markers - they indicate validated momentum shifts
Monitor oscillator line color changes for direction confirmation
Use the built-in alert system to stay informed of potential trend changes
🟢 Pro Tips
Adjust Smoothing Period based on your trading style:
→ Lower values (8-12) for more responsive signals
→ Higher values (20-30) for more stable trend identification
Fine-tune Normalization Period based on market conditions:
→ Shorter periods (20-25) for more dynamic markets
→ Longer periods (40-50) for more stable markets
Optimize your analysis by:
→ Using +2/-2 zones for primary trade signals
→ Using +3/-3 zones for extreme market conditions
→ Combining with volume analysis for trade confirmation
→ Using multiple timeframe analysis for strategic context
Combine with:
→ Volume indicators for trade validation
→ Price action for entry timing
→ Support/resistance levels for profit targets
→ Trend-following indicators for directional bias
Median MACD - MattesThe Median Based MACD is a new-generation indicator created from old statistical Concepts. It combines a Median Calculation with a MACD to create a smoother signal with less noise and increased robustness.
In this case, the original calculation source of the MACD is replaced with a Median which can be calculated over user set X time.
- Why its good:
This "Phoenix" of sorts brings old concepts together to create a strong, new indicator which can frontrun & see trends from miles up front.
- How it can be used:
While this indicator can be used to follow trends, it can also be used to detect where a trend has weakened and is unlikely to continue. Please keep in mind that its unlikely but the chance is never 0.
In my personal opinion, i think that this indicator should NOT be used as a standalone indicator but rather as a compliment to analysis.
Enjoy!
MONEYZEYAH | MAIN MOMENTUM INDICATOREffortlessly track momentum and trend reversals with this streamlined indicator that overlays RSI (Relative Strength Index) and MACD (Moving Average Convergence Divergence) in a single, easy-to-read format.
🔹 Key Features:
Dual Analysis – Combines RSI and MACD on the same panel, reducing clutter and enhancing chart clarity.
Crossover Alerts:
🟢 Green Dot – Bullish MACD crossover below the zero line, signaling potential upward momentum.
🔴 Red Dot – Bearish MACD crossover above the zero line, indicating possible downward pressure.
⚫ RSI Overlay – Clean gray lines display basic RSI to help identify overbought and oversold conditions.
🎯 Why Use This Indicator?
Saves screen space by combining two essential momentum tools.
Instantly spot reversal signals without flipping between indicators.
Ideal for traders who value simplicity and efficiency.
Improved RSI Trend Sniper | JeffreyTimmermansImproved RSI Trend Sniper
This indicator, the "Improved RSI Trend Sniper" is a sophisticated tool designed to enhance market trend analysis by integrating customizable RSI thresholds with advanced moving average options and refined visual enhancements.
Key Features
Advanced Moving Average Options:
The indicator now supports multiple moving average types: SMA, EMA, SMMA, WMA, VWMA, LSMA, HMA, and ALMA, offering greater flexibility in trend analysis.
Users can customize the moving average length for precise momentum detection.
Enhanced Momentum Detection:
Upgraded to allow dynamic calculation of momentum based on user-selected moving averages.
Conditions for bullish or bearish momentum now consider changes in the chosen moving average rather than a fixed EMA, improving accuracy.
Visual Upgrades:
A gradient-based trend fill with multiple opacity layers provides a visually appealing representation of bullish and bearish trends.
New dashboard integration displays key market information, including the ticker, timeframe, and current trend (bullish or bearish).
Improved Signal Customization:
Customizable colors and labels for bullish and bearish signals ensure easy identification on the chart.
Enhanced settings for showing or hiding labels and trend fills
Refined Alerts System:
Alerts are now generated for bullish and bearish conditions with customized messages for better responsiveness.
Alerts can be triggered once per bar close, making them more reliable.
What's New:
RSI and MA Customization: Users can define thresholds and moving average settings, providing more control over trend analysis.
Dashboard Integration: Displays real-time updates directly on the chart for improved situational awareness.
Visual Enhancements: Introduced gradient fills for trend regions, making trends more distinct.
Expanded Moving Average Options: Allows for tailored strategies using various MA calculation methods.
Alert Messaging: Streamlined notifications for actionable insights.
How It Works
Momentum Analysis:
Bullish momentum is detected when the RSI crosses above the bullish threshold and the moving average is increasing.
Bearish momentum is flagged when the RSI falls below the bearish threshold, and the moving average is decreasing.
Trend Visualization:
Bullish trends are highlighted with gradient shades of green, while bearish trends use shades of red.
Labels appear on the chart to mark key turning points.
Tailored for Different Trading Styles
The Improved RSI Trend Sniper is versatile and adaptable, catering to traders with various time horizons:
Long-Term Adjustments: For traders focusing on long-term trends, increasing the RSI length and moving average period allows the indicator to smooth out minor price fluctuations and highlight sustained momentum. Selecting slower-moving averages like the SMA or LSMA further filters out short-term noise, ensuring signals align with broader market trends.
Medium-Term Adjustments: Swing traders can use a balanced RSI length (e.g., 14–20) and a medium moving average period (e.g., 20–50) to capture actionable signals within the mid-range market cycles. The inclusion of options like EMA or SMMA ensures quicker reactions to price changes while maintaining moderate sensitivity to reversals.
Short-Term Adjustments: For day traders or scalpers, using a shorter RSI period (e.g., 7–10) alongside faster moving averages such as the HMA or ALMA can provide quicker signals for high-frequency trading. These adjustments enhance the ability to react swiftly to immediate market shifts, ideal for fast-paced trading environments.
By customizing the indicator’s settings to align with your trading timeframe, the Improved RSI Trend Sniper ensures accurate and relevant insights, empowering traders to optimize their strategies across any market condition.
Dashboard Details
Provides an at-a-glance view of market data for the current ticker and timeframe.
The Improved RSI Trend Sniper takes the original tool to the next level, offering a more comprehensive, customizable, and visually intuitive approach to market trend analysis. Perfect for traders looking to refine their strategies with actionable insights.
-Jeffrey
Relative Performance Indicator by ComLucro - 2025_V01The "Relative Performance Indicator by ComLucro - 2025_V01" is a powerful tool designed to analyze an asset's performance relative to a benchmark index over multiple timeframes. This indicator provides traders with a clear view of how their chosen asset compares to a market index in short, medium, and long-term periods.
Key Features:
Customizable Lookback Periods: Analyze performance across three adjustable periods (default: 20, 50, and 200 bars).
Relative Performance Analysis: Calculate and visualize the difference in percentage performance between the asset and the benchmark index.
Dynamic Summary Label: Displays a detailed breakdown of the asset's and index's performance for the latest bar.
User-Friendly Interface: Includes customizable colors and display options for clear visualization.
How It Works:
The script fetches closing prices of both the asset and a benchmark index.
It calculates percentage changes over the selected lookback periods.
The indicator then computes the relative performance difference between the asset and the index, plotting it on the chart for easy trend analysis.
Who Is This For?:
Traders and investors who want to compare an asset’s performance against a benchmark index.
Those looking to identify trends and deviations between an asset and the broader market.
Disclaimer:
This tool is for educational purposes only and does not constitute financial or trading advice. Always use it alongside proper risk management strategies and backtest thoroughly before applying it to live trading.
Chart Recommendation:
Use this script on clean charts for better clarity. Combine it with other technical indicators like moving averages or trendlines to enhance your analysis. Ensure you adjust the lookback periods to match your trading style and the timeframe of your analysis.
Additional Notes:
For optimal performance, ensure the benchmark index's data is available on your TradingView subscription. The script uses fallback mechanisms to avoid interruptions when index data is unavailable. Always validate the settings and test them to suit your trading strategy.
Improved Target Oscillator | JeffreyTimmermansImproved Target Oscillator
The Improved Target Oscillator is a versatile technical indicator that identifies trends, reversals, and market momentum. Designed to work effectively across various markets, this oscillator excels at capturing longer-term market trends, making it ideal for traders focused on sustained price movements. By using advanced mathematical techniques and dynamic visualization, the oscillator provides actionable insights, helping traders navigate complex market environments with confidence.
Key features include:
A dynamic oscillator line to reflect market momentum and reversals.
Clear gradient-based coloring to distinguish between bullish and bearish conditions.
Signal highlights for potential entry and exit points based on trend shifts.
This tool is particularly useful for identifying extended trends and provides a clean, intuitive interface for assessing market dynamics.
Improvements in the Improved Target Oscillator
Smoothing Feature:
Added an optional smoothing toggle, allowing the use of SMA or EMA for reducing noise.
Provides flexibility through adjustable smoothing length, enhancing clarity in choppy markets.
Alerts for Trade Opportunities:
Built-in alert conditions for bullish and bearish signals.
Allows traders to receive notifications when critical trend changes occur, ensuring they never miss an opportunity.
Customizable to integrate seamlessly into trading workflows.
Enhanced Visualization:
Introduced dynamic gradients for bullish and bearish conditions with improved customization options.
Provides clearer differentiation of momentum changes, improving interpretability.
Signal Highlights:
Improved visual cues for bullish and bearish signals with precise dot indicators.
Offers better alignment with oscillator momentum shifts, ensuring actionable insights.
Adaptability:
Tuned for use in capturing longer-term market trends, emphasizing its effectiveness in identifying sustained movements.
Adjusted oscillator sensitivity with a levels multiplier for better scalability across various market conditions.
Level Markers:
Clearer delineation of key oscillator levels, including half and full normalized levels for improved context.
A neutral line explicitly plotted for easier trend and momentum identification.
Summary
The Improved Target Oscillator combines a sophisticated mathematical foundation with practical visualization enhancements to deliver a more intuitive and precise tool for market analysis. With added flexibility, improved signals, and tailored features for longer-term trends, this oscillator is an essential resource for traders looking to refine their strategies.
-Jeffrey
RSI Convergence DivergenceRSI based oscillator inspired by the MACD.
Indicator that consists of two RSI calibrated at different lengths to take advantage of their convergence, divergence, overall direction, overall strength and several other metrics to extract signals from the price action.
This indicator includes:
- Fast RSI
- Slow RSI
- Signal line to identify convergence/divergence
- Simple moving average applied to the average of the two RSI
- DEMA applied to the average of the two RSI
- An average moving average of the SMA and DEMA
Some of the applications of this indicator:
- Simple convergence/divergence signaled by the moving average going above or below zero.
- Crossover between SMA and DEMA
- Combination of convergence/divergence and one of the 3 MAs reaching overbought or oversold threshold
- Average moving average going above or below 50
The combinations of different conditions are countless and limited only by the imagination of the user.
The visualization inputs, besides allowing to choose the candle coloring, give the user the ability to keep the chart clean and only see the signals he is interested into.
Aura Vibes EMA Ribbon + VStop + SAR + Bollinger BandsThe combination of Exponential Moving Averages (EMA), Volatility Stop (VStop), Parabolic SAR (PSAR), and Bollinger Bands (BB) offers a comprehensive approach to technical analysis, each serving a distinct purpose:
Exponential Moving Averages (EMA): EMAs are used to identify the direction of the trend by smoothing price data. Shorter-period EMAs react more quickly to price changes, while longer-period EMAs provide a broader view of the trend.
Volatility Stop (VStop): VStop is a dynamic stop-loss mechanism that adjusts based on market volatility, typically using the Average True Range (ATR). This allows traders to set stop-loss levels that accommodate market fluctuations, potentially reducing the likelihood of premature stop-outs.
Parabolic SAR (PSAR): PSAR is a trend-following indicator that provides potential entry and exit points by plotting dots above or below the price chart. When the dots are below the price, it suggests an uptrend; when above, a downtrend.
Bollinger Bands (BB): BB consists of a middle band (typically a 20-period simple moving average) and two outer bands set at standard deviations above and below the middle band. These bands expand and contract based on market volatility, helping traders identify overbought or oversold conditions.
Integrating these indicators can enhance trading strategies:
Trend Identification: Use EMAs to determine the prevailing market trend. For instance, a short-term EMA crossing above a long-term EMA may signal an uptrend.
Entry and Exit Points: Combine PSAR and BB to pinpoint potential entry and exit points. For example, a PSAR dot appearing below the price during an uptrend, coinciding with the price touching the lower Bollinger Band, might indicate a buying opportunity.
Risk Management: Implement VStop to set adaptive stop-loss levels that adjust with market volatility, providing a buffer against market noise.
By thoughtfully combining these indicators, traders can develop a robust trading system that adapts to various market conditions.
Machine Learning RSI Bands V3The Machine Learning RSI Bands V3 is a cutting-edge trading tool designed to provide actionable insights by combining the strength of machine learning with a traditional RSI framework. It adapts dynamically to changing market conditions, offering traders a robust, data-driven approach to identifying opportunities.
Let’s break down its functionality and the logic behind each input to give you a clear understanding of how it works and how you can use it effectively.
RSI Parameters RSI Source (rsisrc): Choose the data source for RSI calculation, such as the closing price. This allows you to focus on the specific price data that aligns with your trading strategy. RSI Length (rsilen): Set the number of periods used for RSI calculation. A shorter length makes the RSI more reactive to price changes, while a longer length smooths out volatility. These inputs allow you to customize the foundational RSI calculations, ensuring the indicator fits your style of trading.
Band Limits Lower Band Limit (lb): Defines the RSI value below which the market is considered oversold. Upper Band Limit (ub): Defines the RSI value above which the market is considered overbought. These settings give you control over the thresholds for market conditions. By adjusting the band limits, you can tailor the indicator to be more or less sensitive to market movements.
Sampling and Reaction Settings Target Reaction Size (l): Determines the number of bars used to define pivot points. Smaller values react to shorter-term price movements, while larger values focus on broader trends. Backtesting Reaction Size (btw): Sets the number of bars used to validate signal performance. This ensures signals are only considered valid if they perform consistently within the specified range. Data Format (version): Choose between Absolute (ignoring direction) and Directional (incorporating directional price changes). Sampling Method (sm): Select how the data is analyzed—options include Price Movement, Volume Movement, RSI Movement, Trend Movement, or a Hybrid approach. These settings empower you to refine how the indicator processes and interprets data, whether focusing on short-term price shifts or broader market trends.
Signal Settings Signal Confidence Method (cm): Choose between: Threshold: Signals must meet a confidence limit before being generated. Voting: Requires a majority of 5 signal components to confirm a trade. Confidence Limit (cl): Defines the confidence threshold for generating signals when using the Threshold method. Votes Needed (vn): Sets the number of votes required to confirm a trade when using the Voting method. Use All Outputs (fm): If enabled, signals are generated without filtering, providing an unfiltered view of potential opportunities. This section offers a balance between precision and flexibility, enabling you to control the rigor applied to signal generation.
How It Works
The script uses machine learning models to adaptively calculate dynamic RSI bands. These bands adjust based on market conditions, providing a more responsive and nuanced interpretation of overbought and oversold levels.
Dynamic Bands: The lower and upper RSI bands are recalibrated using machine learning to reflect current market conditions. Signals: Long and short signals are generated when RSI crosses these bands, with additional filters applied based on your chosen confidence method and sampling settings. Transparency: Real-time success rates and profit factors are displayed on the chart, giving you clear feedback on the indicator's performance.
Why Use Machine Learning RSI Bands V3?
This indicator is built for traders who want more than static thresholds and generic signals. It offers:
Adaptability: Machine learning dynamically adjusts the indicator to market conditions. Customizability: Each input serves a specific purpose, giving you full control over its behavior. Accountability: With built-in performance metrics, you always know how the tool is performing.
This is a tool designed for those who value precision and adaptability in trading.
MA Crossover + RSI Strategy [deepakks444]MA Crossover + RSI Strategy Indicator
This indicator is designed to provide buy (long) and sell (short) signals based on a combination of moving average (MA) crossovers, the Relative Strength Index (RSI), and a custom moving average filter. It allows traders to identify potential entry and exit points based on price trends and momentum.
Key Components
Moving Averages (MAs):
Short EMA (Exponential Moving Average): Default length of 9.
Long EMA: Default length of 21.
These MAs are used to detect trend crossovers. A bullish trend is indicated when the short EMA crosses above the long EMA, and a bearish trend is indicated when the short EMA crosses below the long EMA.
Custom Moving Average (Custom MA):
Configurable to be one of the following: SMA (Simple Moving Average), EMA, WMA (Weighted Moving Average), or VWMA (Volume Weighted Moving Average).
Default length is 200, commonly used as a long-term trend indicator.
Color-coded dynamically:
Green: Price is above the Custom MA.
Red: Price is below the Custom MA.
Relative Strength Index (RSI):
Default length of 14.
Customizable Overbought Level (default: 60) and Oversold Level (default: 40).
Provides a momentum filter to ensure trades are taken when the market exhibits strong trends in a favorable direction.
Signal Logic
Buy Signal (Long Entry - XL):
The Short EMA crosses above the Long EMA (bullish crossover).
RSI value is above the oversold level (indicating momentum is not excessively weak).
The price is above the Custom MA, confirming alignment with the prevailing trend.
Sell Signal (Short Entry - XS):
The Short EMA crosses below the Long EMA (bearish crossover).
RSI value is below the overbought level (indicating momentum is not excessively strong).
The price is below the Custom MA, confirming alignment with the prevailing trend.
Pending Signals
Pending signals account for situations where the crossover and RSI conditions are met, but the price has not yet crossed the Custom MA. These are tracked to activate only when the price moves in alignment with the Custom MA:
Pending Buy:
Triggered when:
Short EMA crosses above Long EMA.
RSI > Oversold Level.
Price is below the Custom MA.
Activates when the price crosses above the Custom MA.
Pending Sell:
Triggered when:
Short EMA crosses below Long EMA.
RSI < Overbought Level.
Price is above the Custom MA.
Activates when the price crosses below the Custom MA.
Visual Elements
EMA Lines:
Blue Line: Short EMA.
Red Line: Long EMA.
Custom MA:
Green: Indicates price is above the Custom MA.
Red: Indicates price is below the Custom MA.
Signal Arrows:
Green UP Arrow (XL): Buy signal.
Red DOWN Arrow (XS): Sell signal.
Alerts
Configurable alerts notify the user when:
Buy Signal: "Price crossed above the short EMA and RSI is oversold."
Sell Signal: "Price crossed below the short EMA and RSI is overbought."
Strategy Overview
This strategy combines trend-following (EMA crossovers) and momentum confirmation (RSI) with a Custom MA filter to ensure trades align with broader market trends. The Custom MA acts as a safety check, preventing trades against the prevailing trend.
Disclaimer
This script is for educational purposes only. Trading involves significant financial risk, and past performance is not indicative of future results. Use this script at your own discretion, and always backtest before deploying it in live markets. The author is not responsible for any financial losses incurred while using this script.
Suitability
This indicator is suitable for traders who prefer to combine trend-based strategies with momentum confirmation to filter out false signals and increase trade reliability.
AI InfinityAI Infinity – Multidimensional Market Analysis
Overview
The AI Infinity indicator combines multiple analysis tools into a single solution. Alongside dynamic candle coloring based on MACD and Stochastic signals, it features Alligator lines, several RSI lines (including glow effects), and optionally enabled EMAs (20/50, 100, and 200). Every module is individually configurable, allowing traders to tailor the indicator to their personal style and strategy.
Important Note (Disclaimer)
This indicator is provided for educational and informational purposes only.
It does not constitute financial or investment advice and offers no guarantee of profit.
Each trader is responsible for their own trading decisions.
Past performance does not guarantee future results.
Please review the settings thoroughly and adjust them to your personal risk profile; consider supplementary analyses or professional guidance where appropriate.
Functionality & Components
1. Candle Coloring (MACD & Stochastic)
Objective: Provide an immediate visual snapshot of the market’s condition.
Details:
MACD Signal: Used to identify bullish and bearish momentum.
Stochastic: Detects overbought and oversold zones.
Color Modes: Offers both a simple (two-color) mode and a gradient mode.
2. Alligator Lines
Objective: Assist with trend analysis and determining the market’s current phase.
Details:
Dynamic SMMA Lines (Jaw, Teeth, Lips) that adjust based on volatility and market conditions.
Multiple Lengths: Each element uses a separate smoothing period (13, 8, 5).
Transparency: You can show or hide each line independently.
3. RSI Lines & Glow Effects
Objective: Display the RSI values directly on the price chart so critical levels (e.g., 20, 50, 80) remain visible at a glance.
Details:
RSI Scaling: The RSI is plotted in the chart window, eliminating the need to switch panels.
Dynamic Transparency: A pulse effect indicates when the RSI is near critical thresholds.
Glow Mode: Choose between “Direct Glow” or “Dynamic Transparency” (based on ATR distance).
Custom RSI Length: Freely adjustable (default is 14).
4. Optional EMAs (20/50, 100, 200)
Objective: Utilize moving averages for trend assessment and identifying potential support/resistance areas.
Details:
20/50 EMA: Select which one to display via a dropdown menu.
100 EMA & 200 EMA: Independently enabled.
Color Logic: Automatically green (price > EMA) or red (price < EMA). Each EMA’s up/down color is customizable.
Configuration Options
Candle Coloring:
Choose between Gradient or Simple mode.
Adjust the color scheme for bullish/bearish candles.
Transparency is dynamically based on candle body size and Stochastic state.
Alligator Lines:
Toggle each line (Jaw/Teeth/Lips) on or off.
Select individual colors for each line.
RSI Section:
RSI Length can be set as desired.
RSI lines (0, 20, 50, 80, 100) with user-defined colors and transparency (pulse effect).
Additional lines (e.g., RSI 40/60) are also available.
Glow Effects:
Switch between “Dynamic Transparency” (ATR-based) and “Direct Glow”.
Independently applied to the RSI 100 and RSI 0 lines.
EMAs (20/50, 100, 200):
Activate each one as needed.
Each EMA’s up/down color can be customized.
Example Use Cases
Trend Identification:
Enable Alligator lines to gauge general trend direction through SMMA signals.
Timing:
Watch the Candle Colors to spot potential overbought or oversold conditions.
Fine-Tuning:
Utilize the RSI lines to closely monitor important thresholds (50 as a trend barometer, 80/20 as possible reversal zones).
Filtering:
Enable a 50 EMA to quickly see if the market is trading above (bullish) or below (bearish) it.