Batman - IndicatorThe Batman - Indicator is an advanced trend-following tool that combines multiple methodologies to provide traders with actionable insights for efficient decision-making. This comprehensive indicator leverages both classic and innovative approaches to detect market trends, identify relative strength, and signal entry/exit opportunities. Key features include:
Core Features:
1. Trend Analysis with ADX :
- Measures trend strength and signals shifts in momentum using the Average Directional Index (ADX).
- Configurable parameters allow traders to fine-tune the threshold for their preferred trading style.
2. Relative Strength (RS) Evaluation :
- Analyzes the relative strength of the asset compared to broader market indices (e.g., CRYPTOCAP:TOTAL, NSE:NIFTY, NASDAQ:NDX).
- Provides intuitive visual cues with strength and weakness coloring for quick decision-making.
3. Volume-Based Price Action Insights :
- Highlights bars with significant volume activity relative to a configurable moving average.
- Identifies potential turning points and momentum using color-coded volume bars.
4. 52-Week High/Low Detection :
- Tracks and flags new 52-week highs or lows to highlight key levels of interest.
- Adds context for long-term market trends and potential breakout/breakdown points.
5. Donchian Channel Breakouts :
- Detects changes in Donchian channel levels, signaling potential breakout or reversal scenarios.
6. Multi-Layered Scoring System :
- Combines ADX and RSI to score market conditions on a scale from bearish (Z) to bullish (A).
- Includes intermediate levels (X, Y, C) to capture nuanced shifts in sentiment.
7. Exit Strategies :
- Features customizable exit indicators, offering a choice between SuperTrend and VStop .
- Provides dynamic, visually distinct trendlines for clear trend-following exits.
Unique Value:
- Unlike traditional single-purpose indicators, the Batman - Indicator integrates multiple tools into a single cohesive framework.
- Each component is independently configurable, allowing traders to adapt the indicator to their unique strategy and risk tolerance.
- Background color and plot shapes improve visual clarity, ensuring ease of use during fast-paced trading sessions.
Use Cases:
- Scalping and intraday trading with dynamic trend and volume signals.
- Swing and positional trading with long-term high/low levels and trend exits.
- Relative strength analysis for pair trading or benchmarking performance against broader markets.
How It Works:
- Trend Identification : Utilizes ADX and RSI to provide directional bias and signal overbought/oversold conditions.
- Volume Analysis : Highlights potential areas of interest based on abnormal volume activity.
- Breakout Signals : Detects new 52-week highs/lows and Donchian channel breakouts for actionable alerts.
- Exit Planning : Offers clear, customizable exit levels via SuperTrend or VStop, reducing emotional decision-making.
Configuration:
- The indicator includes customizable inputs for all calculations (length, thresholds, multipliers) to suit diverse market conditions and trading styles.
- Default settings provide a balanced approach suitable for most markets but can be tailored as needed.
---
Instructions for Use:
1. Add the indicator to your chart and configure the inputs according to your trading timeframe and asset type.
2. Pay attention to the ADX-RSI Scoring System for overall market sentiment.
3. Use volume-based price action and 52-week breakout signals to identify potential entries.
4. Exit trades based on the chosen exit indicator (SuperTrend or VStop) to manage risk and lock in profits.
Alerts:
- Set up alerts for scoring system changes, 52-week high/low breakouts, and exit signals for seamless trading automation.
Pesquisar nos scripts por "supertrend"
MadTrend [InvestorUnknown]The MadTrend indicator is an experimental tool that combines the Median and Median Absolute Deviation (MAD) to generate signals, much like the popular Supertrend indicator. In addition to identifying Long and Short positions, MadTrend introduces RISK-ON and RISK-OFF states for each trade direction, providing traders with nuanced insights into market conditions.
Core Concepts
Median and Median Absolute Deviation (MAD)
Median: The middle value in a sorted list of numbers, offering a robust measure of central tendency less affected by outliers.
Median Absolute Deviation (MAD): Measures the average distance between each data point and the median, providing a robust estimation of volatility.
Supertrend-like Functionality
MadTrend utilizes the median and MAD in a manner similar to how Supertrend uses averages and volatility measures to determine trend direction and potential reversal points.
RISK-ON and RISK-OFF States
RISK-ON: Indicates favorable conditions for entering or holding a position in the current trend direction.
RISK-OFF: Suggests caution, signaling RISK-ON end and potential trend weakening or reversal.
Calculating MAD
The mad function calculates the median of the absolute deviations from the median, providing a robust measure of volatility.
// Function to calculate the Median Absolute Deviation (MAD)
mad(series float src, simple int length) =>
med = ta.median(src, length) // Calculate median
abs_deviations = math.abs(src - med) // Calculate absolute deviations from median
ta.median(abs_deviations, length) // Return the median of the absolute deviations
MADTrend Function
The MADTrend function calculates the median and MAD-based upper (med_p) and lower (med_m) bands. It determines the trend direction based on price crossing these bands.
MADTrend(series float src, simple int length, simple float mad_mult) =>
// Calculate MAD (volatility measure)
mad_value = mad(close, length)
// Calculate the MAD-based moving average by scaling the price data with MAD
median = ta.median(close, length)
med_p = median + (mad_value * mad_mult)
med_m = median - (mad_value * mad_mult)
var direction = 0
if ta.crossover(src, med_p)
direction := 1
else if ta.crossunder(src, med_m)
direction := -1
Trend Direction and Signals
Long Position (direction = 1): When the price crosses above the upper MAD band (med_p).
Short Position (direction = -1): When the price crosses below the lower MAD band (med_m).
RISK-ON: When the price moves further in the direction of the trend (beyond median +- MAD) after the initial signal.
RISK-OFF: When the price retraces towards the median, signaling potential weakening of the trend.
RISK-ON and RISK-OFF States
RISK-ON LONG: Price moves above the upper band after a Long signal, indicating strengthening bullish momentum.
RISK-OFF LONG: Price falls back below the upper band, suggesting potential weakness in the bullish trend.
RISK-ON SHORT: Price moves below the lower band after a Short signal, indicating strengthening bearish momentum.
RISK-OFF SHORT: Price rises back above the lower band, suggesting potential weakness in the bearish trend.
Picture below show example RISK-ON periods which can be identified by “cloud”
Note: Highlighted areas on the chart indicating RISK-ON and RISK-OFF periods for both Long and Short positions.
Implementation Details
Inputs and Parameters:
Source (input_src): The price data used for calculations (e.g., close, open, high, low).
Median Length (length): The number of periods over which the median and MAD are calculated.
MAD Multiplier (mad_mult): Determines the distance of the upper and lower bands from the median.
Calculations:
Median and MAD are recalculated each period based on the specified length.
Upper (med_p) and Lower (med_m) Bands are computed by adding and subtracting the scaled MAD from the median.
Visual representation of the indicator on a price chart:
Backtesting and Performance Metrics
The MadTrend indicator includes a Backtesting Mode with a performance metrics table to evaluate its effectiveness compared to a simple buy-and-hold strategy.
Equity Calculation:
Calculates the equity curve based on the signals generated by the indicator.
Performance Metrics:
Metrics such as Mean Returns, Standard Deviation, Sharpe Ratio, Sortino Ratio, and Omega Ratio are computed.
The metrics are displayed in a table for both the strategy and the buy-and-hold approach.
Note: Due to the use of labels and plot shapes, automatic chart scaling may not function ideally in Backtest Mode.
Alerts and Notifications
MadTrend provides alert conditions to notify traders of significant events:
Trend Change Alerts
RISK-ON and RISK-OFF Alerts - Provides real-time notifications about the RISK-ON and RISK-OFF states for proactive trade management.
Customization and Calibration
Default Settings: The provided default settings are experimental and not optimized. They serve as a starting point for users.
Parameter Adjustment: Traders are encouraged to calibrate the indicator's parameters (e.g., length, mad_mult) to suit their specific trading style and the characteristics of the asset being analyzed.
Source Input: The indicator allows for different price inputs (open, high, low, close, etc.), offering flexibility in how the median and MAD are calculated.
Important Notes
Market Conditions: The effectiveness of the MadTrend indicator can vary across different market conditions. Regular calibration is recommended.
Backtest Limitations: Backtesting results are historical and do not guarantee future performance.
Risk Management: Always apply sound risk management practices when using any trading indicator.
RV- Dynamic Trend AnalyzerRV Dynamic Trend Analyzer
The RV Dynamic Trend Analyzer is a powerful TradingView indicator designed to help traders identify and capitalize on trends across multiple time frames—daily, weekly, and monthly. With dynamic adjustments to key technical indicators like EMA and MACD, the tool adapts to different chart periods, ensuring more accurate signals. Whether you are swing trading or holding longer-term positions, this indicator provides reliable buy/sell signals, breakout opportunities, and customizable visual elements to enhance decision-making. Its intelligent use of EMAs and MACD values ensures high potential returns, making it suitable for traders seeking strong, data-driven strategies. Below are its core features and their respective benefits.
Supertrend Indicator:
Importance: The Supertrend is a trend-following tool that helps traders identify the market’s direction by offering clear buy and sell signals based on price movement relative to the Supertrend line.
Benefits:
Helps filter out market noise and enables traders to stay in trends longer.
The pullback detection feature enhances trade timing by identifying potential entry points during retracements.
ATH/ATL & 52-Week High/Low with Candle Coloring:
Importance: Tracking all-time highs (ATH), all-time lows (ATL), and 52-week high/low levels helps traders identify key support and resistance levels.
Benefits:
Offers insights into the strength of price movements and potential reversal zones.
Candle coloring improves visual analysis, allowing quick identification of bullish or bearish conditions at critical levels.
Multi-Time Frame Analysis
Importance: The ability to view indicators like RSI and MACD across multiple time frames provides a more in-depth and comprehensive view of market behavior, allowing traders to make informed decisions that align with both short-term and long-term trends.
Benefits:
Align Strategies Across Time frames: By using multiple time frames, traders can align their strategies with larger trends (such as weekly or daily) while executing trades on lower time frames (like 1-minute or 5-minute charts). This improves the accuracy of trade entries and exits.
Reduce False Signals: Viewing key technical indicators like RSI and MACD across different time frames reduces the likelihood of false signals by offering a broader market context, filtering out noise from smaller time frames.
Customization of Table Display: Traders can customize the position and size of a table that displays RSI and MACD values for selected time frames. This flexibility enhances visibility and ease of analysis.
Time frame-Specific Data: The code allows for displaying RSI and MACD data for up to seven different time frames, making it highly customizable for traders depending on their preferred analysis period.
Visual Clarity: The table displays key values such as RSI and MACD histogram readings in a visually clear format, with color coding to quickly indicate overbought/oversold levels or MACD crossovers.
Pivot Points:
Importance: Pivot points serve as key support and resistance levels that help predict potential price movements.
Benefits:
Assists in identifying potential reversal zones and breakout points, aiding in trade planning.
Displaying pivot points across multiple time frames enhances market insight and improves strategic planning.
Quarterly Earnings Table:
Importance: Understanding a company’s quarterly earnings releases is crucial, as these events often lead to significant price volatility. Traders can leverage this information to adjust their strategies around earnings reports and prevent unexpected losses.
Benefits:
Helps traders anticipate potential price movements due to earnings reports.
Allows traders to avoid sudden losses by being aware of important earnings announcements and adjusting positions accordingly.
Customizable Visuals for Traders:
Dark Mode: Toggle between dark and light themes based on your chart's color scheme.
Mini Mode: A condensed version that visually simplifies the data, making it quicker to interpret through color-coded traffic lights (green for positive, red for negative).
Table Size & Position: Customize the size and position of the table for better visibility on your charts.
Data Period (FQ vs FY): Easily switch between displaying quarterly or yearly data based on the selected period.
Top-Left Cell Display: Option to display Free Float or Market Cap in the top-left cell for quick reference.
Exponential Moving Averages (EMAs) with Adjustable Lengths:
Importance: EMAs are essential for identifying trends and generating reliable buy/sell signals. The indicator plots four EMAs that dynamically adjust based on the selected time frame.
Benefits:
Dynamic Time frame Logic: EMA lengths and sources automatically adapt based on whether the user selects daily, weekly, or monthly time frames. This ensures the EMAs are relevant for the chosen strategy.
Multiple EMAs: By incorporating four different EMAs, users can observe both short-term and long-term trends simultaneously, improving their ability to identify key trend shifts.
Breakout Arrow Functionality:
Importance: This feature visually signals potential buy/sell opportunities based on the interaction between EMAs and MACD crossovers.
Benefits:
Crossover Signals: Arrows are plotted when EMAs and MACD cross, indicating breakout opportunities and aiding in quick trade decisions.
RSI Filter Option: Users can apply an optional RSI filter to refine buy/sell signals, reducing false signals and improving overall accuracy.
Disclaimer:
Before engaging in actual trading, we strongly recommend back testing the this indicator to ensure it fits your trading style and risk tolerance. Be sure to adjust your risk-reward ratio and set appropriate stop-loss levels to safeguard your investments. Proper risk management is key to successful trading.
Super Trend ReversalsMain Concept
The core idea behind the Super Trend Reversals indicator is to assess the momentum of automated trading bots (often referred to as 'Supertrend bots') that enter the market during critical turning points. Specifically, the indicator is tuned to identify when the market is nearing bottoms or peaks, but just before it shifts direction based on the triggered Supertrend signals. This approach helps traders engage with the market right as the reversal momentum builds up, allowing for entry just as conditions become favorable and exit before momentum wanes.
How It Works
The Super Trend Reversals uses multiple Supertrend calculations, each with different period and multiplier settings, to form a comprehensive view of the trend. The total trend score from these calculations is then analyzed using the Relative Strength Index (RSI) and Exponential Moving Averages (EMA) to gauge the strength and sustainability of the trend.
A key feature of this indicator is the isCurrentRangeSmaller() function, which evaluates if the current price range is lower than the average over the recent period. This function is critical as it helps determine the stability of the market environment, reducing the likelihood of entering or exiting trades based on erratic price movements that could lead to false signals.
Niki Super1.2This is a completely super trend indicator. Changed only the ATR period and the multifactor default values. This setup shows more profit on the 5 minute chart, making it ideal for scalping and day trading. This indicator is suitable for any type of stock. The 'Buy' symbol represents the long entry and the 'Sell' symbol represents the short entry. Modified the bar color based on the SuperTrend. Signals or highlighted colors can be omitted from the Signal Settings window
Contact us using the links below to get access to this indicator
Uptrick: Comprehensive Market Sentiment DashboardIntroducing "Uptrick: Comprehensive Market Sentiment Dashboard"—an advanced trading indicator designed to provide traders with a complete and detailed overview of market conditions for multiple assets at a glance. This sophisticated tool is engineered to enhance your trading decisions by consolidating key technical indicators into a single, easy-to-read dashboard. Perfect for both novice and experienced traders, the Uptrick Dashboard is built to offer a competitive edge in the dynamic world of trading.
### Purpose
The primary goal of the Uptrick Dashboard is to equip traders with a powerful, all-in-one solution that streamlines market analysis. By combining multiple technical indicators and presenting their outputs in a cohesive format, this dashboard eliminates the need to toggle between different charts and tools. It delivers a clear, immediate understanding of market sentiment across various assets, enabling faster and more informed trading decisions.
### Features and Inputs
The Uptrick Dashboard integrates several widely-used technical indicators, each customizable to fit your specific trading strategy. Here’s a detailed breakdown of the features and input parameters:
1. **Exponential Moving Average (EMA)**
- **Input Parameter:** EMA Length
- **Purpose:** Tracks the asset’s price trend by smoothing out price data over a specified period.
2. **Simple Moving Average (SMA)**
- **Input Parameter:** SMA Length
- **Purpose:** Provides a simpler, more straightforward calculation of price trends compared to EMA.
3. **Relative Strength Index (RSI)**
- **Input Parameter:** RSI Length
- **Purpose:** Measures the magnitude of recent price changes to evaluate overbought or oversold conditions.
4. **Moving Average Convergence Divergence (MACD)**
- **Input Parameters:** MACD Fast Length, MACD Slow Length, MACD Signal Length
- **Purpose:** Identifies changes in the strength, direction, momentum, and duration of a trend.
5. **Bollinger Bands (BB)**
- **Input Parameters:** BB Length, BB StdDev
- **Purpose:** Provides a visual representation of volatility and relative price levels over a specified period.
6. **Ichimoku Cloud**
- **Input Parameters:** Ichimoku Tenkan Length, Ichimoku Kijun Length, Ichimoku Span A Length, Ichimoku Span B Length
- **Purpose:** Offers a comprehensive view of support and resistance levels, momentum, and trend direction.
7. **Supertrend**
- **Input Parameters:** Supertrend ATR Length, Supertrend Multiplier
- **Purpose:** Combines trend direction and volatility to provide buy and sell signals.
8. **Symbols Input**
- **Input Parameter:** Symbols (comma separated)
- **Purpose:** Allows users to specify and monitor multiple assets simultaneously.
### Customization and Flexibility
Each indicator within the Uptrick Dashboard is fully customizable, allowing you to adjust parameters to align with your trading strategy. Whether you prefer short-term trading with faster indicators or long-term analysis with slower, more reliable data, this dashboard can be tailored to meet your needs.
### Key Differentiators
What sets the Uptrick Dashboard apart from other market sentiment tools is its unparalleled integration of multiple technical indicators into a single, comprehensive view. This consolidation not only saves time but also provides a more holistic understanding of market conditions. Here’s what makes the Uptrick Dashboard unique:
- **Integrated Analysis:** Combines multiple indicators to provide a unified market sentiment.
- **Customizable Inputs:** Each indicator can be adjusted to suit your specific trading strategy.
- **Multi-Asset Monitoring:** Track and analyze several assets simultaneously.
- **User-Friendly Interface:** Designed for ease of use, presenting data in an organized, visually appealing format.
- **Real-Time Updates:** Continuously updates to reflect the latest market data.
### Future Updates
We are committed to continually improving the Uptrick Dashboard to ensure it remains a valuable tool in your trading arsenal. Users can expect regular updates that will introduce new features, enhance existing functionalities, and incorporate user feedback. Future updates may include:
- **Additional Indicators:** Introducing new technical indicators to provide even deeper insights.
- **Enhanced Visualization:** Improved graphical representations for better data interpretation.
- **Automation Features:** Tools to automate certain trading strategies based on indicator outputs.
- **User Customization:** More options for personalizing the dashboard to fit individual preferences.
### How It Works
The Uptrick Dashboard operates by calculating key technical indicators for each specified asset and displaying the results in a neatly organized table. Here’s a closer look at how it works:
1. **Input Parameters:** Users input their preferred settings for each indicator, including the list of assets to monitor.
2. **Data Retrieval:** The dashboard retrieves real-time market data for each specified asset.
3. **Indicator Calculation:** Using the input parameters, the dashboard calculates the values for each technical indicator.
4. **Visual Display:** Results are displayed in a table format, highlighting key information such as price, 24-hour change, and sentiment indicators (e.g., MACD, RSI, Bollinger Bands).
5. **Final Position:** The dashboard calculates an overall market position (Long, Short, or Neutral) based on the combined outputs of the individual indicators.
### Conclusion
The "Uptrick: Comprehensive Market Sentiment Dashboard" is a must-have tool for traders seeking a streamlined, efficient way to monitor market conditions across multiple assets. By integrating essential technical indicators into a single, customizable dashboard, it provides a comprehensive view of market sentiment, facilitating quicker and more informed trading decisions. Stay ahead of the market with Uptrick and experience the difference that a well-designed, all-in-one trading tool can make.
With regular updates and a commitment to excellence, the Uptrick Dashboard is poised to evolve continually, adapting to the changing needs of traders and the dynamics of the market. Whether you’re a seasoned trader or just starting out, the Uptrick Dashboard offers the insights and flexibility needed to enhance your trading strategy. Invest in the Uptrick Dashboard today and take your trading to the next level.
Kalman Hull RSI [BackQuant]Kalman Hull RSI
At its core, this indicator uses a Kalman filter of price, put inside of a hull moving average function (replacing the weighted moving averages) and then using that as a price source for the the RSI, very similar to the Kalman Hull Supertrend just processing price for a different indicator.
This also allows it to make it more adaptive to price and also sensitive to recent price action. This indicator is also mainly built for trend-following systems
PLEASE Read the following, knowing what an indicator does at its core before adding it into a system is pivotal. The core concepts can allow you to include it in a logical and sound manner.
1. What is a Kalman Filter
The Kalman Filter is an algorithm renowned for its efficiency in estimating the states of a linear dynamic system amidst noisy data. It excels in real-time data processing, making it indispensable in fields requiring precise and adaptive filtering, such as aerospace, robotics, and financial market analysis. By leveraging its predictive capabilities, traders can significantly enhance their market analysis, particularly in estimating price movements more accurately.
If you would like this on its own, with a more in-depth description please see our Kalman Price Filter.
OR our Kalman Hull Supertrend
2. Hull Moving Average (HMA) and Its Core Calculation
The Hull Moving Average (HMA) improves on traditional moving averages by combining the Weighted Moving Average's (WMA) smoothness and reduced lag. Its core calculation involves taking the WMA of the data set and doubling it, then subtracting the WMA of the full period, followed by applying another WMA on the result over the square root of the period's length. This methodology yields a smoother and more responsive moving average, particularly useful for identifying market trends more rapidly.
3. Combining Kalman Filter with HMA
The innovative combination of the Kalman Filter with the Hull Moving Average (KHMA) offers a unique approach to smoothing price data. By applying the Kalman Filter to the price source before its incorporation into the HMA formula, we enhance the adaptiveness and responsiveness of the moving average. This adaptive smoothing method reduces noise more effectively and adjusts more swiftly to price changes, providing traders with clearer signals for market entries or exits.
The calculation is like so:
KHMA(_src, _length) =>
f_kalman(2 * f_kalman(_src, _length / 2) - f_kalman(_src, _length), math.round(math.sqrt(_length)))
Use Case
The Kalman Hull RSI is particularly suited for traders who require a highly adaptive indicator that can respond to rapid market changes without the excessive noise associated with typical RSI calculations. It can be effectively used in markets with high volatility where traditional indicators might lag or produce misleading signals.
Application in a Trading System
The Kalman Hull RSI is versatile in application, suitable for:
Trend Identification: Quickly identify potential reversals or confirmations of existing trends.
Overbought/Oversold Conditions: Utilize the dynamic RSI thresholds to pinpoint potential entry and exit points, adapting to current market conditions.
Risk Management: Enhance trading strategies by integrating a more reliable measure of momentum, which can lead to improved stop-loss placements and exit strategies.
Core Calculations and Benefits
Dynamic State Estimation: By applying the Kalman Filter, the indicator continually adjusts its calculations based on incoming price data, providing a real-time, smoothed response to price movements.
Reduced Lag: The integration with HMA significantly reduces lag, offering quicker responses to price changes than traditional moving averages or RSI alone.
Increased Accuracy: The dual filtering effect minimizes the impact of price spikes and noise, leading to more accurate signaling for trades.
Thus following all of the key points here are some sample backtests on the 1D Chart
Disclaimer: Backtests are based off past results, and are not indicative of the future.
INDEX:BTCUSD
INDEX:ETHUSD
BINANCE:SOLUSD
TraderHouse Signal from Pivot PointTraderHouse Signal from Pivot Point
What is pivot point Supertrend?
Pivot Point Supertrend Algo Strategy for TradingView - MyCoder
Pivot Point Supertrend Strategy Parameters for TradingView Charts. Pivot Point Period: A pivot point that also overlaps or converges with a 50-period or 200-period moving average, or Fibonacci extension level. ATR Length : the ATR calculation is based on 14 periods, which can be intraday, daily, weekly, or monthly.
Targets For Many Indicators [LuxAlgo]The Targets For Many Indicators is a useful utility tool able to display targets for many built-in indicators as well as external indicators. Targets can be set for specific user-set conditions between two series of values, with the script being able to display targets for two different user-set conditions.
Alerts are included for the occurrence of a new target as well as for reached targets.
🔶 USAGE
Targets can help users determine the price limit where the price might start deviating from an indication given by one or multiple indicators. In the context of trading, targets can help secure profits/reduce losses of a trade, as such this tool can be useful to evaluate/determine user take profits/stop losses.
Due to these essentially being horizontal levels, they can also serve as potential support/resistances, with breakouts potentially confirming new trends.
In the above example, we set targets 3 ATR's away from the closing price when the price crosses over the script built-in SuperTrend indicator using ATR period 10 and factor 3. Using "Long Position Target" allows setting a target above the price, disabling this setting will place targets below the price.
Users might be interested in obtaining new targets once one is reached, this can be done by enabling "New Target When Reached" in the target logic setting section, resulting in more frequent targets.
Lastly, users can restrict new target creation until current ones are reached. This can result in fewer and longer-term targets, with a higher reach rate.
🔹 Dashboard
A dashboard is displayed on the top right of the chart, displaying the amount, reach rate of targets 1/2, and total amount.
This dashboard can be useful to evaluate the selected target distances relative to the selected conditions, with a higher reach rate suggesting the distance of the targets from the price allows them to be reached.
🔶 DETAILS
🔹 Indicators
Besides 'External' sources, each source can be set at 1 of the following Build-In Indicators :
ACCDIST : Accumulation/distribution index
ATR : Average True Range
BB (Middle, Upper or Lower): Bollinger Bands
CCI : Commodity Channel Index
CMO : Chande Momentum Oscillator
COG : Center Of Gravity
DC (High, Mid or Low): Donchian Channels
DEMA : Double Exponential Moving Average
EMA : Exponentially weighted Moving Average
HMA : Hull Moving Average
III : Intraday Intensity Index
KC (Middle, Upper or Lower): Keltner Channels
LINREG : Linear regression curve
MACD (macd, signal or histogram): Moving Average Convergence/Divergence
MEDIAN : median of the series
MFI : Money Flow Index
MODE : the mode of the series
MOM : Momentum
NVI : Negative Volume Index
OBV : On Balance Volume
PVI : Positive Volume Index
PVT : Price-Volume Trend
RMA : Relative Moving Average
ROC : Rate Of Change
RSI : Relative Strength Index
SMA : Simple Moving Average
STOCH : Stochastic
Supertrend
TEMA : Triple EMA or Triple Exponential Moving Average
VWAP : Volume Weighted Average Price
VWMA : Volume-Weighted Moving Average
WAD : Williams Accumulation/Distribution
WMA : Weighted Moving Average
WVAD : Williams Variable Accumulation/Distribution
%R : Williams %R
Each indicator is provided with a link to the Reference Manual or to the Build-In Indicators page.
The latter contains more information about each indicator.
Note that when "Show Source Values" is enabled, only values that can be logically found around the price will be shown. For example, Supertrend , SMA , EMA , BB , ... will be made visible. Values like RSI , OBV , %R , ... will not be visible since they will deviate too much from the price.
🔹 Interaction with settings
This publication contains input fields, where you can enter the necessary inputs per indicator.
Some indicators need only 1 value, others 2 or 3.
When several input values are needed, you need to separate them with a comma.
You can use 0 to 4 spaces between without a problem. Even an extra comma doesn't give issues.
The red colored help text will guide you further along (Only when Target is enabled)
Some examples that work without issues:
Some examples that work with issues:
As mentioned, the errors won't be visible when the concerning target is disabled
🔶 SETTINGS
Show Target Labels: Display target labels on the chart.
Candle Coloring: Apply candle coloring based on the most recent active target.
Target 1 and Target 2 use the same settings below:
Enable Target: Display the targets on the chart.
Long Position Target: Display targets above the price a user selected condition is true. If disabled will display the targets below the price.
New Target Condition: Conditional operator used to compare "Source A" and "Source B", options include CrossOver, CrossUnder, Cross, and Equal.
🔹 Sources
Source A: Source A input series, can be an indicator or external source.
External: External source if 'External" is selected in "Source A".
Settings: Settings of the selected indicator in "Source A", entered settings of indicators requiring multiple ones must be comma separated, for example, "10, 3".
Source B: Source B input series, can be an indicator or external source.
External: External source if 'External" is selected in "Source B".
Settings: Settings of the selected indicator in "Source B", entered settings of indicators requiring multiple ones must be comma separated, for example, "10, 3".
Source B Value: User-defined numerical value if "value" is selected in "Source B".
Show Source Values: Display "Source A" and "Source B" on the chart.
🔹 Logic
Wait Until Reached: When enabled will not create a new target until an existing one is reached.
New Target When Reached: Will create a new target when an existing one is reached.
Evaluate Wicks: Will use high/low prices to determine if a target is reached. Unselecting this setting will use the closing price.
Target Distance From Price: Controls the distance of a target from the price. Can be determined in currencies/points, percentages, ATR multiples, ticks, or using multiple of external values.
External Distance Value: External distance value when "External Value" is selected in "Target Distance From Price".
TIGERMOOD TREND
🔶 About Tigermood Trend for TradingView.
Tigermood Trend is a trend detector that uses several logics including but not limited to volatility , momentum, key fibonacci levels and trend changing logic to generate a reliable trend on most time frames and applicable for Stocks, futures , Forex, and Cryptos.
Unlike other trend indicators, Tigermood Trend is as simple as it looks but uses several behind-the-scene price action algorithms that work in tandem to create a trend to keep the trader as long as market is trending and hence streamlines their trades accordingly.
🔶 Logic behind Tigermood Trend
Detecting the Fibonacci lows and highs (Hooks) after a trend change or a major trend pivot is formed.
Once a fibonacci hook is detected, key fibonacci levels are calculated and ready to be applied to the trend on event triggers.
To control the optimal fibonacci level to be applied a moving average is added to the logic with length from 20-200 depending on the selected timeframe.
Fibonacci hooks are controlled and validated using a modified supertrend indicator with ATR length and factor set automatically according to the selected timeframe, and that to avoid non-significant hooks (trend pivots).
To update to a certain fibonacci level, certain conditions must be met to validate this level, these conditions check for RSI extreme conditions, supertrend conditions, trend stage (early stage or extended).
Trend changing is controlled as well. In order for trend to change once price crosses the stop-bands, Tigermood trend takes into consideration: volatility, strong or weak trend status, early/mature stage of the trend, and finally the last fibonacci levels used. A bias towards a hard trend change is favored instead of soft trend change, which is a simple close crossing and that to avoid as many false trend changes as possible
During extreme high momentum trending, the updating bias will shift to the moving average with ATR and supertrend limitation.
█ Tigermood Trend is designed to be as plug-and-play indicator with little or no parameters to set or keep tweaking thus enabling the trader to concentrate on his/her strategy entries and exits. (limited settings to control sensitivity and some behavior may be introduced in the future)
█ Tigermood Trend is a no-Repainting indicator. the trend updates only on the close of the current bar using barstate.isconfirmed .
█ However, it is important to emphasize that Tigermood Trend is NOT a signal generator. You don't see Buy and Sell signals on the chart. (as of this date). Even though upon trend changing you may think it is a buy/sell indication but it is NOT. This indicator is made for traders who need a trend to confirm the direction of their trades, and avoid confusion during high market volatility; and experienced traders know very well that trading with a reliable trend constitute an essential and an integral part of their trading strategy. This way the trader is spending more time on fine-tuning their trade opportunities.
█ Tigermood Trend is a Tool to be added to the traders' toolbox and is not a trading system by its own. (While in the future the indicator will highlight area of high opportunity for entries and stop losses)
█ Tigermood Trend is under continuous development. New features, logic updates and new logics will be regularly added in new versions.
Best of luck in your trading journey,
Tigermood
JVC_scalp_v1How to use this strategie :
Usable and optimised on a 5-minute chart.
Red background color for short.
Green background color for long.
JVC_SCALP_V1 is a strategy based on the strategy posted by 5mScalpingStrat.
This script uses the following indicators
- L2 Perry Kaufman Adaptative MA ( KAMA )
- Willy 21e13 fixed tsmmob
- EMA 200
- Supertrend M15 to filter false positives
Red background color (sell signal) when the following conditions are met:
- Sell signal blackcat
- Sell zone supertrend M15
- Price < EMA 200 (2 candle close)
- Willy 21e13 output < -90 ou Willy 21e13 EMA < -80
Green background color (buy signal) when the following conditions are met:
- Buy signal blackcat
- Buy zone supertrend M15
- Price > EMA 200 (2 candle close)
- Willy 21e13 output > -10 ou Willy 21e13 EMA > -20
Two levels of colour are proposed according to the value of the output and the EMA.
You can change the settings in the script parameters.
If you find more relevant settings, don't hesitate to contact me so that I can apply an update in the code.
ATR Trading SetupThis simple script base on function of ATR Trailing Stop (aka SuperTrend) to plot Trading Setup on chart with detail as below:
1. Type of Average True Range (ATR)
+ The function calculate ATR may base on 1 of 3 type of Average: RMA, SMA, EMA
2. Trading Setup
2.1 Long setup
+ SuperTrend is upTrend
+ Entry Long at (or below) last value ATR Trailing Stop of Previous Trend (DownTrend)
+ Stop loss at first value ATR Trailing Stop of now Trend (upTrend)
+ Take profit at first value ATR Trailing Stop of Previous Trend (downTrend)
+ Move stop loss follow ATR Trailing Stop (green dot)
2.1 Short setup
+ SuperTrend is downTrend
+ Entry Short at (or above) last value ATR Trailing Stop of Previous Trend (upTrend)
+ Stop loss at first value ATR Trailing Stop of now Trend (downTrend)
+ Take profit at first value ATR Trailing Stop of Previous Trend (upTrend)
+ Move stop loss follow ATR Trailing Stop (red dot)
Super scalpThis is scalp strategy based on the confluence of 3 indicators
ema 9 , supertrend and vwap
when supertrend buy signal is generated and the price is above ema and vwap scalp buy signal is generated
when supertrend sell signal is generated and the price is below ema and vwap scalp sell signal is generated
Share market aasan hai CPR with MA & VWAP This script will allow to add CPR with Standard Pivots and 4 Indicators.
Standard Pivot has 9 levels of support and 9 levels of resistance lines. It has CPR , 3 levels of Day-wise pivots , 3 levels of Weekly pivots and 3 Levels of Monthly Pivots .
In Addition to the CPR and Pivot , this script will allow user to Add 4 more Indicators - SMA , EMA , VWAP and SuperTrend as well.
All the Support and resistance levels can be enabled / disabled from settings. It will allow to select multiple combinations of support and resistance levels across 3 levels at any of the 3 time-frames individually and combined.
All 4 Indicators can be can be enabled / disabled from settings. This will allow the indicators to be plotted individually and combined along with any combination of CPR & Pivots .
These number of combinations will allow user to visualize the charts with desired indicators, pivot support & resistance levels on all or any of the 3 time frames.
For Ease of access, listed few points on how the script works..
- CPR and day-wise level 1 & 2 (S1 & R1) enabled by default and can be changed from settings
- Day-wise Level 2 & 3 (S2, R2, S3 & L3) can be enabled from settings
- Weekly 3 levels and Monthly 3 levels can be enabled from settings
- CPR & pivot levels colored in blue lines
- All support levels colored in Green
- All resistance levels Colored in Red
- Day-wise pivot , support & resistance are straight lines
- Weekly pivot , support & resistance are cross (+) lines
- Weekly pivot , support & resistance are circle (o) lines
- SMA , EMA , VWAP and SuperTrend Enabled by Default
- SMA
- EMA
- SuperTrend
Fishing The Trend - SetupFishing The Trend - Setup
HOW Does it work ?
The name itself says we must have a trading setup for ease of trading for getting the most from the market.
i.e. Combining the most useful indicator under one roof...
Fishing The Trend - Setup have following ::-
1) IntraDay Range.
2) Four Friends.
3) Fishing The Trend.
4) Multi Time Frame - Custom VWAP.
5) RSI based SMA.
1) Intraday Range
HOW Does it work ?
For calculating the average most probable range for any plotted security, it plots 2 bands higher band and a lower band for a particular range using the default ADR. This indicator is on - as default.
# Upper and Lower band act as support and resistance , user may see a reversal in trend from these bands
# If the price breaks these bands, don't take a trade expecting a reversal
# These bands are calculated by averaging the previous x number of days' highs and lows of the security.
2) Four Friends
HOW Does it work ?
Plotting different EMA for finding the direction of Trend / Market, There are actually 5 EMAs- F1 = 20 EMA, F2 = 50 EMA, F3 = 100EMA, F4= 150, and Trend = 200-EMA. Usually 200 EMA is used to find the trend of market whether bearish / bullish, if market is above 200 ema than we may say its bullish and below 200 ema its bearish. The 50 EMA and 100 EMA works as best pullbacks in the trending market, user can configure as per his trading style and method. This indicator can be changed to multi timeframe as required. User can plot lower time frame data onto higher time or vice-versa for finding better opportunities for early trend detection, also the user have the option to use feature of non-repainting or vice versa. The default Color MA option is un=ticked, means plotting 5 different color EMAs, If the user ticks this feature, the whole 5 EMA color will change into red or orange as per direction of closing candle, user can change color as per his / her color combination. Default plotting time is of 1 min. This second indicator is off by default - user have to tick-it to activate it
3) Fishing The Trend
HOW Does it work ?
The code uses dynamic current levels to identify trend, This indicator is using SuperTrend, ATR and relatively Smoothened ATR for
early trend reversal detection to determine the trend and direction so that a fruitful decision can be made.
To Indicate the strength of the trendline, The standard calculations of SuperTrend, along with multiple smoothen ATR results are clubbed determine the direction, a step ahead. However, the indicator is not appropriate for all the situations. It works when the market is trending. Hence it is best to use for short-term technical analysis . SuperTrend uses only the two parameters of ATR and multiplier which are not sufficient under certain conditions to predict the accurate direction of the market. Here in this indicator ATR value is not editable and after long backtests the best ATR value is kept that helps the indicator working very well.
The default setting is best for use, but user can customize the Multiplier for his own fine tunings, So once the Levels are matched, a Long / Short suggestion is plotted. Best Time Frames to use : starting from 1, 3, 5, 15, 30 Mins and so on... to determine Trend.
Long = L and Short = S.
Where and how to use?
The main use of this indicator is quick scalping and Intra-day trading. The Indicator shows the option to show Long/Short Signals which the use can be turned on or off. The indicator shows a very useful option for early detection of the ongoing trend whether there will be reversal of trend or not ?
Stop Loss - That should be done by following ones risk appetite, Ideally the High of the Previous Candle should be the stop loss for
the Long / Short but everyone has their own Risk Management Strategies based on the capital deployed.
by default this comes on..
4) Multi Time Frame - Custom VWAP.
HOW Does it work ?
VWAP = The volume weighted average price (VWAP) is a trading benchmark used by traders that gives the average price a
security has traded at throughout the day, based on both volume and price. It is important because it provides traders with insight into both the trend and value of a security.
This indicator is programmed for using vwap for spot indices / securities not having volume calculations but have futures, specially banknifty and nifty of Indian markets. User has option to change the plotting timeframe as per his requirements for checking the trend under vwap or over vwap. The user have to type the equivalent script symbol in the space provided to calculate the vwap of that particular security and plot on the non-volume script. Seems confusing !!!! have a look
at example..
eg. - if you have chart of banknifty spot and u want to place vwap on in then just write security name in the blank field banknifty future of continuous contract running month " BANKNIFTY1! " Futures Chart... that's it and u will have futures vwap plotting on spot chart... this can give user a definite idea about the vwap line. User have option to change color of bar and change color of the
vwap line which is plotted.
By default this comes off..
Note = This indicator changes bar color
5) RSI based SMA
HOW Does it work ?
# This indicator is for user using RSI, The twist is that not only it uses RSI but also simple moving average, So this makes the user more safe as it is a combination of RSI and SMA.
# Multi-colored ----> Green/Red/Yellow user can change ..moving average of choice
# user can change overbought / over sold values of RSI as required. The time frame here is fixed.
* There is an On/Off Option for each Indicator.
Disclaimer : There could be scenarios when the candle is shown as a long or short and then the candle turns into opposite direction red/green. In such scenarios , Please refer to the just preceding candle and the early detection signal and if this candle is moving into positive direction only then go for long, Similarly opposite for Short, the value of multiplier 1.0 is determined using series of back test across various assets with different time frames.
User Options : Choice of turning on / off the Long / Short Labels and early detection/StopLoss Option can also be activated or deactivated.
Visual Checks - The user could manually validate the back test results on various assets they would like to use this strategy on before putting it live.
Usage/Markets : Index Trading / Equities and also well with Commodities and Currencies
How to get access
Please click on the link / email available in the signature or send me a private message to get access.
Feedback
Please click on the link/email in the signature or send me a private message for suggestions/feedbacks.
Smoke Evolution Trading System (Glance of the eyes)Smoke Evolution is a trading system that has capability to identify strong support and resistance, and market structure. Most importantly this system able to identify optimum entry and exit point. As a complete system, Smoke Evolution contains multiple custom indicators which have different functionalities. Below is the list of indicators used in Smoke Evolution System.
1. Smoke indicator
2. Band indicator
3. Supertrend indicator
4. Divergence and Convergence indicator
The first indicator is Smoke indicator. Smoke indicator is a powerful tool to identify the current market trend. It can be the centre of market cycle where we can observe the changes in the market trend or any reversal movement. Any price above smoke indicator identify market as uptrend and vise versa.
….Trend is uptrend until it break the smoke indicator….
….Reversal or retracement happens when price is far from smoke indicator….
….Wide shape of cloud identify possible sideway movement….
Second indicator is Band indicator. Band indicator is used to indicate the solid support and resistance point. Band Indicator consists of Fast Band indicator and Slow band indicator. Fast Band indicator is the best indicator for deciding the entry and exit point after we gain the knowledge of the current market movement. Slow Band indicator identify the market range where it usually used as a pointer for starting range and target range.
….Fast band is showing support and resistance for smaller timeframe and can be used for entry and exit…
….The wider the band shape the stronger the support or resistance. Usually entry is made at narrow band….
….Slow band is used to identify market range. From that we will know when price start moving and when it will stop….
….The band step indicates possible support or resistance….
Third indicator is Supertrend indicator. Supertrend indicator is a popular indicator in trading. In Smoke Evolution trading system, it is used to detect early changes in market direction.
Early trend change before breaking the support or resistance
Forth indicator is Divergence and Convergence indicator. Basically, the indicator identifies the divergence and convergence from standard MACD. This indicator is a support indicator which give more information when market is likely to make reversal.
How to use Smoke Evolution trading system?
There is not specific rule to use Smoke Evolution trading system, you can use and merge the system to you trading style. I have made function that can disable and enable the existing indicators for user flexibility. Thus, there is not necessarily to use all indicators in one time.
For the newbie or whoever do not have trading system, I explain a bit for you on how to use this trading system as general rule. Follow my explanation by referring instruction at chart.
1. Find the range of price and support and resistance by using slow band. Usually price will move inside price range. If the price breaks the price range, it will go to the next support and resistance. See location of the price, if the price already touching support at the bottom slow band, it is possibly for the price to do reversal and go up.
2. Use the smoke indicator to know how strong the uptrend or downtrend. If the price has a distance from the smoke indicator, it is possibly for the price go near to the indicator. Compare the distance to the previous to know the exact distance for the price to do reversal.
3. Use fast band as entry and exit point. If the price breaks the upper fast band by full candlestick body, it indicates the best time to enter the market. Use the lower band as stop loss and trailing stop. By using fast band, we can maximize profit and minimize risk.
4. When the price touch the resistance at upper slow band, it is possibly change the direction. At this point, you can close position or wait for the price to break price channel. Make sure the tight stop loss is set. If the price break the price range, it will go to next resistance until price change direction and breaks the lower fast band.
5. You can see the cycle is repeated and using Smoke Evolution Trading System, it easy for us to see the movement of price.
See the previous market analysis, I made market analysis using Smoke Evolution and found it very useful and easy to analyse market using short period of time. See the examples below.
After all, Smoke Evolution System is the best trading system with high gaining probability and low losing risk. We try to give best in our work and deliver the best trading system to our user. With this trading system, the tangible market analysis become easy and effortless. Even beginner can trade as best as professional trader.
Big Snapper Alerts R2.0 by JustUncleLThis is a diversified Binary Option or Scalping Alert indicator originally designed for lower Time Frame Trend or Swing trading. Although you will find it a useful tool for higher time frames as well.
The Alerts are generated by the changing direction of the ColouredMA (HullMA by default), you then have the choice of selecting the Directional filtering on these signals or a Bollinger swing reversal filter.
The filters include:
Type 1 - The three MAs (EMAs 21,55,89 by default) in various combinations or by themselves. When only one directional MA selected then direction filter is given by ColouredMA above(up)/below(down) selected MA. If more than one MA selected the direction is given by MAs being in correct order for trend direction.
Type 2 - The SuperTrend direction is used to filter ColouredMA signals.
Type 3 - Bollinger Band Outside In is used to filter ColouredMA for swing reversals.
Type 4 - No directional filtering, all signals from the ColouredMA are shown.
Notes:
Each Type can be combined with another type to form more complex filtration.
Alerts can also be disabled completely if you just want one indicator with one colouredMA and/or 3xMAs and/or Bollinger Bands and/or SuperTrend painted on the chart.
Warning:
Be aware that combining Bollinger OutsideIn swing filter and a directional filter can be counter productive as they are opposites. So careful consideration is needed when combining Bollinger OutsideIn with any of the directional filters.
Hints:
For Binary Options try ColouredMA = HullMA(13) or HullMA(8) with Type 2 or 3 Filter.
When using Trend filters SuperTrend and/or 3xMA Trend, you will find if price reverses and breaks back through the Big Fat Signal line, then this can be a good reversal trade.
Some explanation about the what Hull Moving average and ideas of how the generated in Big Snapper can be used:
tradingsim.com
forextradingstrategies4u.com
Inspiration from @vdubus
Big Snapper's Bollinger OutsideIn Swing filter in Action:
Twin Range Filter VisualizedVisulaized version of @colinmck's Twin Range Filter version on TradingView.
On @colinmck's Twin Range Filter version, you can only see Long and Short signals on the chart.
But in this version of TRF, users can visually see the BUY and SELL signals on the chart with an added line of TRF.
TRF is an average of two smoothed Exponential Moving Averages, fast one has 27 bars of length and the slow one has 55 bars.
The purpose is to obtain two ranges that price fluctuates between (upper and lower range) and have LONG AND SHORT SIGNALS when close price crosses above the upper range and conversely crosses below lower range.
I personally combine the upper and lower ranges on one line to see the long and short signals with my own eyes so,
-BUY when price is higher or equal to the upper range level and the indicator line turns to draw the lower range to follow the price just under the bars as a trailing stop loss indicator like SuperTrend.
-SELL when price is lower or equal to the lower range levelline under the bars and then the indicator line turns to draw the upper range to follow the price just over the bars in that same trailing stop loss logic.
There are also two coefficients that adjusts the trailing line distance levels from the price multiplying the effect of the faster and slower moving averages.
The default values of the multipliers:
Fast range multiplier of Fast Moving Average(27): 1.6
Slow range multiplier of fSlow Moving Average(55): 2
Remember that if you enlarge these multipliers you will enlarge the ranges and have less but lagging signals. Conversely, decreasing the multipliers will have small ranges (line will get closer to the price and more signals will occur)
Moving Average SARHello Traders,
Today, I have brought to you an indicator that utilizes the Parabolic SAR.
To begin with, the Parabolic SAR is an indicator that trails the price in the form of a parabola, seeking out Stop And Reverse points.
The indicator I present merges the calculation formula of the Parabolic SAR with the Moving Average.
One aspect I pondered over was how to determine the starting point of this SAR. Trailing the price flow with the logic set by the moving average was fine, but the question was where to begin.
My approach involves a variable I call 'sensitiveness,' which automatically adjusts the length according to the timeframe you are observing. Using pinescript's math.ceil, I formulated:
interval_to_len = timeframe.multiplier * (timeframe.isdaily ? 1440 : timeframe.isweekly ? 1440 * 7 : timeframe.ismonthly ? 1440 * 30 : 1)
main_len = math.ceil(sensitiveness / interval_to_len)
This formula represents the length, and through variables like:
_highest = math.min(ta.highest(high, main_len), close + ta.atr(46)*4)
_lowest = math.max(ta.lowest(low, main_len), close - ta.atr(46)*4)
I have managed to set the risk at a level that does not impose too great a burden.
Moreover, the 'Trend Strength Parameter' allows you to choose how strongly to trail the current price.
Lastly, think of the Band Width as a margin for accepting changes in the trend. As the value increases, the Band Width expands, measured through the ATR.
This indicator is particularly useful for holding positions and implementing trailing stops. It will be especially beneficial for those interested in price tracking of trends, like with Parabolic SAR or Supertrend.
I hope you find this tool useful.
AI-Bank-Nifty Tech AnalysisThis code is a TradingView indicator that analyzes the Bank Nifty index of the Indian stock market. It uses various inputs to customize the indicator's appearance and analysis, such as enabling analysis based on the chart's timeframe, detecting bullish and bearish engulfing candles, and setting the table position and style.
The code imports an external script called BankNifty_CSM, which likely contains functions that calculate technical indicators such as the RSI, MACD, VWAP, and more. The code then defines several table cell colors and other styling parameters.
Next, the code defines a table to display the technical analysis of eight bank stocks in the Bank Nifty index. It then defines a function called get_BankComponent_Details that takes a stock symbol as input, requests the stock's OHLCV data, and calculates several technical indicators using the imported CSM_BankNifty functions.
The code also defines two functions called get_EngulfingBullish_Detection and get_EngulfingBearish_Detection to detect bullish and bearish engulfing candles.
Finally, the code calculates the technical analysis for each bank stock using the get_BankComponent_Details function and displays the results in the table. If the engulfing input is enabled, the code also checks for bullish and bearish engulfing candles and displays buy/sell signals accordingly.
The FRAMA stands for "Fractal Adaptive Moving Average," which is a type of moving average that adjusts its smoothing factor based on the fractal dimension of the price data. The fractal dimension reflects self-similarity at different scales. The FRAMA uses this property to adapt to the scale of price movements, capturing short-term and long-term trends while minimizing lag. The FRAMA was developed by John F. Ehlers and is commonly used by traders and analysts in technical analysis to identify trends and generate buy and sell signals. I tried to create this indicator in Pine.
In this context, "RS" stands for "Relative Strength," which is a technical indicator that compares the performance of a particular stock or market sector against a benchmark index.
The "Alligator" is a technical analysis tool that consists of three smoothed moving averages. Introduced by Bill Williams in his book "Trading Chaos," the three lines are called the Jaw, Teeth, and Lips of the Alligator. The Alligator indicator helps traders identify the trend direction and its strength, as well as potential entry and exit points. When the three lines are intertwined or close to each other, it indicates a range-bound market, while a divergence between them indicates a trending market. The position of the price in relation to the Alligator lines can also provide signals, such as a buy signal when the price crosses above the Alligator lines and a sell signal when the price crosses below them.
In addition to these, we have several other commonly used technical indicators, such as MACD, RSI, MFI (Money Flow Index), VWAP, EMA, and Supertrend. I used all the built-in functions for these indicators from TradingView. Thanks to the developer of this TradingView Indicator.
I also created a BankNifty Components Table and checked it on the dashboard.
Open Interest Delta with MAs[Binance Perpetuals]!!!!! This indicator only shows Binance Perpetuals Open Interest Delta !!!!!
!!!!! When Binance Spot pair charts is selected, It still shows the perpetual contract Open Interest, if the pair on the chart is tradeble on perpetual contracts. I assume you know what Open Interest is. !!!!!
ZLEMA , Tillson, VAR MAs codes are coming from @KivancOzbilgic => SuperTrended Moving Averages
KAMA code is coming from @HPOTTER => Kaufman Moving Average Adaptive ( KAMA )
Open Interest with Bollinger Bands and some moving averages!!! This indicator only shows Binance Perpetuals Open Interest !!!
!!!!! When Binance Spot pair charts is selected, It still shows the perpetual contract Open Interest, if the pair on the chart is tradeble on perpetual contracts. I assume you know what Open Interest is. !!!!!
ZLEMA, Tillson, VAR MAs codes are coming from @KivancOzbilgic => SuperTrended Moving Averages
Indicators OverviewThis Indicator help you to see whether the price is above or below vwap, supertrend. Also you can see realtime RSI value.
You can add upto 15 stock of your choice.
HiLo IndicatorNYSE:SPCE
This is an old and simple concept of mine that I am revisiting. It looks similar to the Vortex Indicator but the formulation is different. I was sick and tired of buying late at the top of the peaks, so I wanted to relate the current price to historic highs and lows (you can change how far you want to go back Time Length = tl). The functions are incredible simple:
lo = close -lowest(close,tl)
hi = highest(close,tl) -close
This generates a weaving pattern that shows bullish (lo>hi) and bearish (lo<hi) zones. WMA's (Fast and Long which can be changed and I have the defaults set kind or high) are used to smooth the functions. Only the long is shown for the "hi" function to keep the plot cleaner. I used crossover points of the "lo" WMA curves to specify places of possible bearish "turn around" points and bullish "entry" points. Alerts can set set for these along with the main crossovers where the plots cross bullish (green) and bearish (red). It seems to be a really good companion to popular buy/sell indicators like the Supertrend.
Hope you like it and let me know if there are any questions.