Sri Yantra-Scret Geometry - AYNETExplanation of the Script
Inputs:
periods: Number of bars used for calculating the moving average and standard deviation.
yloc: Chooses the display location (above or below the bars).
Moving Average and Standard Deviation:
ma: Moving average of the close price for the specified period.
std: Standard deviation, used to set the range for the Sri Yantra triangle points.
Triangle Points:
p1, p2, and p3 are the points for constructing the triangle, with p1 and p2 set at two standard deviations above and below the moving average, and p3 at the moving average itself.
Sri Yantra Triangle Drawing:
Three lines form a triangle, with the moving average line serving as the midpoint anchor.
The triangle pattern shifts across bars as new moving average values are calculated.
Moving Average Plot:
The moving average is plotted in red for visual reference against the triangle pattern.
This basic script emulates the Sri Yantra pattern using price data, creating a spiritual and aesthetic overlay on price charts, ideal for users looking to incorporate sacred geometry into their technical analysis.
週期
Holt-Winters Forecast BandsDescription:
The Holt-Winters Adaptive Bands indicator combines seasonal trend forecasting with adaptive volatility bands. It uses the Holt-Winters triple exponential smoothing model to project future price trends, while Nadaraya-Watson smoothed bands highlight dynamic support and resistance zones.
This indicator is ideal for traders seeking to predict future price movements and visualize potential market turning points. By focusing on broader seasonal and trend data, it provides insight into both short- and long-term market directions. It’s particularly effective for swing trading and medium-to-long-term trend analysis on timeframes like daily and 4-hour charts, although it can be adjusted for other timeframes.
Key Features:
Holt-Winters Forecast Line: The core of this indicator is the Holt-Winters model, which uses three components — level, trend, and seasonality — to project future prices. This model is widely used for time-series forecasting, and in this script, it provides a dynamic forecast line that predicts where price might move based on historical patterns.
Adaptive Volatility Bands: The shaded areas around the forecast line are based on Nadaraya-Watson smoothing of historical price data. These bands provide a visual representation of potential support and resistance levels, adapting to recent volatility in the market. The bands' fill colors (red for upper and green for lower) allow traders to identify potential reversal zones without cluttering the chart.
Dynamic Confidence Levels: The indicator adapts its forecast based on market volatility, using inputs such as average true range (ATR) and price deviations. This means that in high-volatility conditions, the bands may widen to account for increased price movements, helping traders gauge the current market environment.
How to Use:
Forecasting: Use the forecast line to gain insight into potential future price direction. This line provides a directional bias, helping traders anticipate whether the price may continue along a trend or reverse.
Support and Resistance Zones: The shaded bands act as dynamic support and resistance zones. When price enters the upper (red) band, it may be in an overbought area, while the lower (green) band may indicate oversold conditions. These bands adjust with volatility, so they reflect the current market conditions rather than fixed levels.
Timeframe Recommendations:
This indicator performs best on daily and 4-hour charts due to its reliance on trend and seasonality. It can be used on lower timeframes, but accuracy may vary due to increased price noise.
For traders looking to capture swing trades, the daily and 4-hour timeframes provide a balance of trend stability and signal reliability.
Adjustable Settings:
Alpha, Beta, and Gamma: These settings control the level, trend, and seasonality components of the forecast. Alpha is generally the most sensitive setting for adjusting responsiveness to recent price movements, while Beta and Gamma help fine-tune the trend and seasonal adjustments.
Band Smoothing and Deviation: These settings control the lookback period and width of the volatility bands, allowing users to customize how closely the bands follow price action.
Parameters:
Prediction Length: Sets the length of the forecast, determining how far into the future the prediction line extends.
Season Length: Defines the seasonality cycle. A setting of 14 is typical for bi-weekly cycles, but this can be adjusted based on observed market cycles.
Alpha, Beta, Gamma: These parameters adjust the Holt-Winters model's sensitivity to recent prices, trends, and seasonal patterns.
Band Smoothing: Determines the smoothing applied to the bands, making them either more reactive or smoother.
Ideal Use Cases:
Swing Trading and Trend Following: The Holt-Winters model is particularly suited for capturing larger market trends. Use the forecast line to determine trend direction and the bands to gauge support/resistance levels for potential entries or exits.
Identifying Reversal Zones: The adaptive bands act as dynamic overbought and oversold zones, giving traders potential reversal areas when price reaches these levels.
Important Notes:
No Buy/Sell Signals: This indicator does not produce direct buy or sell signals. It’s intended for visual trend analysis and support/resistance identification, leaving trade decisions to the user.
Not for High-Frequency Trading: Due to the nature of the Holt-Winters model, this indicator is optimized for higher timeframes like the daily and 4-hour charts. It may not be suitable for high-frequency or scalping strategies on very short timeframes.
Adjust for Volatility: If using the indicator on lower timeframes or more volatile assets, consider adjusting the band smoothing and prediction length settings for better responsiveness.
Mandala Visualization-Secret Geometry-AYNETCode Explanation
Dynamic Center:
The center Y coordinate is dynamic and defaults to the close price.
You can change it to a fixed level if desired.
Concentric Rings:
The script draws multiple circular rings spaced evenly using ring_spacing.
Symmetry Lines:
The Mandala includes num_lines radial symmetry lines emanating from the center.
Customization Options:
num_rings: Number of concentric circles.
ring_spacing: Distance between each ring.
num_lines: Number of radial lines.
line_color: Color of the rings and lines.
line_width: Thickness of the rings and lines.
How to Use
Add the script to your TradingView chart.
Adjust the input parameters to fit the Mandala within your chart view.
Experiment with different numbers of rings, lines, and spacing for unique Mandala patterns.
Let me know if you'd like additional features or visual tweaks!
Optimized Order Flow Strategy//@version=5
indicator("Optimized Order Flow Strategy", overlay=true)
// تنظیمات ورودی
lookback = input(5, title="Lookback Period for Highs/Lows")
fvgLength = input(20, title="FVG Zone Length")
showOrderBlocks = input(true, title="Show Order Blocks")
showFVG = input(true, title="Show FVG Zones")
// شناسایی بالاترین و پایینترین قیمت
highs = high >= ta.highest(high, lookback) ? high : na
lows = low <= ta.lowest(low, lookback) ? low : na
// شناسایی اوردر بلاکها
orderBlockLow = ta.valuewhen(lows, low, 0)
orderBlockHigh = ta.valuewhen(highs, high, 0)
validOrderBlockLow = not na(orderBlockLow)
validOrderBlockHigh = not na(orderBlockHigh)
// فیلتر حجم
volumeFilter = volume > ta.sma(volume, 10)
// سیگنال خرید و فروش
buySignal = validOrderBlockLow and close < orderBlockLow and ta.crossover(close, orderBlockLow) and volumeFilter
sellSignal = validOrderBlockHigh and close > orderBlockHigh and ta.crossunder(close, orderBlockHigh) and volumeFilter
// نمایش سیگنالها
plotshape(series=buySignal, title="Buy Signal", location=location.belowbar, color=color.green, style=shape.labelup, text="Buy")
plotshape(series=sellSignal, title="Sell Signal", location=location.abovebar, color=color.red, style=shape.labeldown, text="Sell")
// هشدارها
alertcondition(buySignal, title="Buy Alert", message="Buy Signal Detected!")
alertcondition(sellSignal, title="Sell Alert", message="Sell Signal Detected!")
Platonic Solids Visualization-Scret Geometry-AYNETExplanation:
Input Options:
solid: Choose the type of Platonic Solid (Tetrahedron, Cube, Octahedron, etc.).
size: Adjust the size of the geometry.
color_lines: Choose the color for the edges.
line_width: Set the width of the edges.
Geometry Calculations:
Each solid is drawn based on predefined coordinates and connected using the line.new function.
Geometric Types Supported:
Tetrahedron: A triangular pyramid.
Cube: A square-based 2D projection.
Octahedron: Two pyramids joined at the base.
Unsupported Solids:
Dodecahedron and Icosahedron are geometrically more complex and not rendered in this basic implementation.
Visualization:
The chosen Platonic Solid will be drawn relative to the center position (center_y) on the chart.
Adjust the size and center_y inputs to position the shape correctly.
Let me know if you need improvements or have a specific geometry to implement!
Central Bank Liquidity YOY % Change - Second DerivativeThis indicator measures the acceleration or deceleration in the yearly growth rate of central bank liquidity.
By calculating the year-over-year percentage change of the YoY growth rate, it highlights shifts in the pace of liquidity changes, providing insights into market momentum or potential reversals influenced by central bank actions.
This can help reveal impulses in liquidity by identifying changes in the growth rate's acceleration or deceleration. When central bank liquidity experiences a rapid increase or decrease, the second derivative captures these shifts as sharp upward or downward movements.
These impulses often signal pivotal liquidity shifts, which may correspond to major policy changes, market interventions, or financial stability measures, offering an early signal of potential market impacts.
Performance-INDIA & GLOBAL MARKETS-MADGrowth vs. Stability: India is expected to maintain relatively strong economic growth compared to many other global markets, which are facing slower growth or even recession risks. The Indian economy is benefiting from a large domestic market, young population, and rising digital and infrastructure investments.
Volatility: Indian markets are often more volatile due to domestic factors, such as political changes, policy announcements, and inflationary pressures. Global markets, on the other hand, tend to experience volatility based on external economic factors and geopolitical risks.
Inflation and Interest Rates: Both India and global markets are dealing with inflation, but India’s central bank (RBI) is seen as being proactive in controlling inflation through interest rate hikes. Globally, major central banks like the Fed and ECB are tightening their monetary policies, which is contributing to global economic slowdown concerns.
Trend Following Strategy with TP/SL taimoortaimoorchutiya is a strategy that follows trend structure
Gann Mass Pressure Index 2020This indicator is based on W.D. Gann's theory of market cycles and mass pressure analysis. Gann believed that historical price movements repeat over time due to natural, economic, and psychological forces. The Mass Pressure Index identifies and visualizes these cyclical patterns to forecast potential market movements, analyzing past Dow Jones Industrial Average (DJI) data.
Note: TradingView does not support future forecasts in scripts. This tool is intended for proof of concept and back-testing. For full access to Mass Pressure Index data from 1960 to 2040, please contact bkiely@libertypoleresearch.com
Overview of Gann Theory: W.D. Gann, a legendary trader, proposed that market movements follow specific cycles influenced by timeframes, with the "Master Time Cycle" (60 years) being most significant. Prices often repeat patterns tied to past decades, offering forecasting opportunities.
Cycle Construction:
60-Year Cycle: The primary "Master Time Cycle."
60/20 Cycle: Blends 60-year and 20-year patterns for refined insights.
60/40/20 Cycle: Incorporates 60, 40, and 20-year trends for medium-term analysis.
60/30/20/10 Cycle: Adds shorter cycles for detailed behavior.
80/60/20/10 Cycle: Extends the analysis to even longer-term patterns.
Usage: The indicator is tailored for the DJI and related tickers, identifying major yearly swing highs, lows, and pivots. The plotted lines represent adjusted YTD performance for each cycle. By observing convergence or divergence in these cycles, traders can anticipate potential market shifts.
Important Notes:
Educational purposes only; not financial advice.
Suitable for retrospective analysis and forward-looking insights.
Interpretation should be combined with other tools for robust analysis.
Disclaimer: This script is for informational and educational purposes only and should not be considered financial or investment advice. Trading carries significant risk. Conduct thorough analysis and consult with licensed professionals before trading. The author is not liable for any losses incurred. Past performance is not indicative of future results.
Support and Resistance Lines)Main Features:
Support and Resistance Lines: The indicator looks for a period of 4 candles where no new low (for support) or no new high (for resistance) is created. Once this is detected, the first low of the last 4 candles is used for the support level and the first high is used for the resistance level.
Line Extension: The support and resistance lines are extended both to the left and right of the chart as well as up and down (in points). The length of the lines is flexible and can be adjusted.
Labels: You can add text labels to the lines that display the exact value of the support or resistance. These labels can also be positioned flexibly.
Alert Function: Alerts can be set to notify you when a new support or resistance line is created or when the price crosses above or below these lines.
Thickness and Color: Both the lines and labels can be customized in terms of color and thickness.
Customizable Parameters:
Line Length: You can adjust the length of the lines to the right and left.
Line Color and Thickness: You can change the colors and thickness of the support and resistance lines.
Label Position and Color: The position and color of the support and resistance labels can also be adjusted.
Alert Options: Alerts can be enabled to notify you about specific events, such as the creation of a new line or the price breaking through a line.
Usage:
This indicator can be useful for identifying and monitoring key price levels (support and resistance). It can also serve as the foundation for other trading strategies, such as trend analysis or breakout strategies.
Gann DJI Mass Pressure Index 2021This indicator is based on W.D. Gann's theory of market cycles and mass pressure analysis. Gann believed that historical price movements repeat over time due to natural, economic, and psychological forces. The Mass Pressure Index identifies and visualizes these cyclical patterns to forecast potential market movements, analyzing past Dow Jones Industrial Average (DJI) data.
Note: TradingView does not support future forecasts in scripts. This tool is intended for proof of concept and back-testing. For full access to Mass Pressure Index data from 1960 to 2040, please contact bkiely@libertypoleresearch.com
Overview of Gann Theory: W.D. Gann, a legendary trader, proposed that market movements follow specific cycles influenced by timeframes, with the "Master Time Cycle" (60 years) being most significant. Prices often repeat patterns tied to past decades, offering forecasting opportunities.
Cycle Construction:
60-Year Cycle: The primary "Master Time Cycle."
60/20 Cycle: Blends 60-year and 20-year patterns for refined insights.
60/40/20 Cycle: Incorporates 60, 40, and 20-year trends for medium-term analysis.
60/30/20/10 Cycle: Adds shorter cycles for detailed behavior.
80/60/20/10 Cycle: Extends the analysis to even longer-term patterns.
Usage: The indicator is tailored for the DJI and related tickers, identifying major yearly swing highs, lows, and pivots. The plotted lines represent adjusted YTD performance for each cycle. By observing convergence or divergence in these cycles, traders can anticipate potential market shifts.
Important Notes:
Educational purposes only; not financial advice.
Suitable for retrospective analysis and forward-looking insights.
Interpretation should be combined with other tools for robust analysis.
Disclaimer: This script is for informational and educational purposes only and should not be considered financial or investment advice. Trading carries significant risk. Conduct thorough analysis and consult with licensed professionals before trading. The author is not liable for any losses incurred. Past performance is not indicative of future results.
Gann DJI Mass Pressure Index 2022This indicator is based on W.D. Gann's theory of market cycles and mass pressure analysis. Gann believed that historical price movements repeat over time due to natural, economic, and psychological forces. The Mass Pressure Index identifies and visualizes these cyclical patterns to forecast potential market movements, analyzing past Dow Jones Industrial Average (DJI) data.
Note: TradingView does not support future forecasts in scripts. This tool is intended for proof of concept and back-testing. For full access to Mass Pressure Index data from 1960 to 2040, please contact bkiely@libertypoleresearch.com
Overview of Gann Theory: W.D. Gann, a legendary trader, proposed that market movements follow specific cycles influenced by timeframes, with the "Master Time Cycle" (60 years) being most significant. Prices often repeat patterns tied to past decades, offering forecasting opportunities.
Cycle Construction:
60-Year Cycle: The primary "Master Time Cycle."
60/20 Cycle: Blends 60-year and 20-year patterns for refined insights.
60/40/20 Cycle: Incorporates 60, 40, and 20-year trends for medium-term analysis.
60/30/20/10 Cycle: Adds shorter cycles for detailed behavior.
80/60/20/10 Cycle: Extends the analysis to even longer-term patterns.
Usage: The indicator is tailored for the DJI and related tickers, identifying major yearly swing highs, lows, and pivots. The plotted lines represent adjusted YTD performance for each cycle. By observing convergence or divergence in these cycles, traders can anticipate potential market shifts.
Important Notes:
Educational purposes only; not financial advice.
Suitable for retrospective analysis and forward-looking insights.
Interpretation should be combined with other tools for robust analysis.
Disclaimer: This script is for informational and educational purposes only and should not be considered financial or investment advice. Trading carries significant risk. Conduct thorough analysis and consult with licensed professionals before trading. The author is not liable for any losses incurred. Past performance is not indicative of future results.
Gann DJI Mass Pressure Index 2023This indicator is based on W.D. Gann's theory of market cycles and mass pressure analysis. Gann believed that historical price movements repeat over time due to natural, economic, and psychological forces. The Mass Pressure Index identifies and visualizes these cyclical patterns to forecast potential market movements, analyzing past Dow Jones Industrial Average (DJI) data.
Note: TradingView does not support future forecasts in scripts. This tool is intended for proof of concept and back-testing. For full access to Mass Pressure Index data from 1960 to 2040, please contact bkiely@libertypoleresearch.com
Overview of Gann Theory: W.D. Gann, a legendary trader, proposed that market movements follow specific cycles influenced by timeframes, with the "Master Time Cycle" (60 years) being most significant. Prices often repeat patterns tied to past decades, offering forecasting opportunities.
Cycle Construction:
60-Year Cycle: The primary "Master Time Cycle."
60/20 Cycle: Blends 60-year and 20-year patterns for refined insights.
60/40/20 Cycle: Incorporates 60, 40, and 20-year trends for medium-term analysis.
60/30/20/10 Cycle: Adds shorter cycles for detailed behavior.
80/60/20/10 Cycle: Extends the analysis to even longer-term patterns.
Usage: The indicator is tailored for the DJI and related tickers, identifying major yearly swing highs, lows, and pivots. The plotted lines represent adjusted YTD performance for each cycle. By observing convergence or divergence in these cycles, traders can anticipate potential market shifts.
Important Notes:
Educational purposes only; not financial advice.
Suitable for retrospective analysis and forward-looking insights.
Interpretation should be combined with other tools for robust analysis.
Disclaimer: This script is for informational and educational purposes only and should not be considered financial or investment advice. Trading carries significant risk. Conduct thorough analysis and consult with licensed professionals before trading. The author is not liable for any losses incurred. Past performance is not indicative of future results.
Gann DJI Mass Pressure Index 2024This indicator is based on W.D. Gann's theory of market cycles and mass pressure analysis. Gann believed that historical price movements repeat over time due to natural, economic, and psychological forces. The Mass Pressure Index identifies and visualizes these cyclical patterns to forecast potential market movements, analyzing past Dow Jones Industrial Average (DJI) data.
Note: TradingView does not support future forecasts in scripts. This tool is intended for proof of concept and back-testing. For full access to Mass Pressure Index data from 1960 to 2040, please contact bkiely@libertypoleresearch.com
Overview of Gann Theory: W.D. Gann, a legendary trader, proposed that market movements follow specific cycles influenced by timeframes, with the "Master Time Cycle" (60 years) being most significant. Prices often repeat patterns tied to past decades, offering forecasting opportunities.
Cycle Construction:
60-Year Cycle: The primary "Master Time Cycle."
60/20 Cycle: Blends 60-year and 20-year patterns for refined insights.
60/40/20 Cycle: Incorporates 60, 40, and 20-year trends for medium-term analysis.
60/30/20/10 Cycle: Adds shorter cycles for detailed behavior.
80/60/20/10 Cycle: Extends the analysis to even longer-term patterns.
Usage: The indicator is tailored for the DJI and related tickers, identifying major yearly swing highs, lows, and pivots. The plotted lines represent adjusted YTD performance for each cycle. By observing convergence or divergence in these cycles, traders can anticipate potential market shifts.
Important Notes:
Educational purposes only; not financial advice.
Suitable for retrospective analysis and forward-looking insights.
Interpretation should be combined with other tools for robust analysis.
Disclaimer: This script is for informational and educational purposes only and should not be considered financial or investment advice. Trading carries significant risk. Conduct thorough analysis and consult with licensed professionals before trading. The author is not liable for any losses incurred. Past performance is not indicative of future results.
TrendTracker - Table Trend FREETrendTracker
The TrendTracker is a powerful indicator designed to help you quickly identify market trends (bullish or bearish) across the timeframes of your choice. It generates an intuitive and customizable table directly on your chart, displaying the trend status for your selected periods.
Key Features:
Clear trend identification: Easily see if the market is in a bullish (uptrend) or bearish (downtrend) state across your chosen timeframes.
Full customization: Adjust table colors, timeframes, and even its position on the chart directly within the indicator settings.
Clean and functional design: Built to provide quick insights without cluttering your chart.
Whether you're a beginner or an experienced trader, the TrendTracker is an essential tool to help you make more informed decisions and better seize market opportunities.
Enjoyed the Indicator?
If you found the TrendTracker useful, how about buying me a coffee? 🚀☕
Send any amount to my Metamask wallet (BSC): 0x74d57109eE016514Bc8b054ceae34740c34941A9
Thanks for your support, and happy trading! 💹
DTT Weekly Volatility Grid [Pro+] (NINE/ANARR)Introduction:
Automate Digital Time Theory (DTT) Weekly Models with the DTT Weekly Volatility Grid , leveraging the proprietary framework developed by Nine and Anarr. This tool allows to navigate the advanced landscape of Time-based statistical trading for futures, crypto, and forex markets.
Description:
Built on the Digital Time Theory (DTT), this script provides traders with a structured view of time and price interactions, ideal for swing insights. It divides the weekly range into Time models and inner intervals, empowering traders with data-driven insights to anticipate market expansions, detect Time-based distortions, and understand volatility fluctuations at specific Times during the trading week.
Key Features:
Time-Based Weekly Models and Volatility Awareness: The DTT Weekly Time Models automatically map onto your chart, highlighting critical volatility points in weekly sessions. These models help traders recognize potential shifts in the market, ideal for identifying larger, swing-oriented moves.
Average Model Range Probability (AMRP): The AMRP feature calculates the historical probability of reaching previous DTT Weekly Model Ranges. With AMRP and Standard Deviation metrics, traders can evaluate the likelihood of DTT model continuations or breaks, aligning their strategy with higher Timeframe volatility trends.
Root Candles and Liquidity Draws: Visualize Root Candles as liquidity draws, emphasizing premium and discount areas and marking the origin of a Time-based price movement. The tool allows traders to toggle features like opening prices and equilibrium points of each Root Candle. Observing accumulation or distribution zones around these candles provides crucial reference points for strategic swing entries and exits.
Extended Visualization of Weekly Model Ranges: Leverage previous weekly model ranges within the current Time model to observe historical high, low, and equilibrium levels. This feature aids traders in visualizing premium and discount ranges of prior models, pinpointing areas of liquidity and imbalance to watch.
Customization Options: Tailor Time intervals with a variety of line styles (solid, dashed, dotted) and colours to customize each model. Adjust settings to display specific historical weekly models, apply custom labels, and create a personalized view that suits your trading style and focus.
Lookback Periods and Model Count: Select customizable lookback periods to display past models, offering insights into market behaviour over a chosen historical range. This feature enables clean, organized charts and allows analysts to add more models for detailed backtesting and analysis.
Detailed Real-Time Data Table: The live data table provides easy access to AMRP and range data for selected models. This table highlights model targets and anticipated ranges, offering insights into whether previous models have exceeded historical volatility expectations or remained within them.
How Traders Can Use The DTT Weekly Volatility Grid Effectively:
Identifying Premium and Discount Zones: Track weekly ranges using Root Candles and previous model equilibrium levels to assess if prices are trading in premium or discount areas. This information helps framing the broader swing outlook.
Timing Trades Based on Volatility: Recognize potential exhaustion points through AMRP insights or completed model distortions that may signal new expansions. By observing inner intervals and Root Candles, traders can identify periods of high market activity, assisting in Timing weekly entries and exits.
Avoiding Low Volatility Phases: AMRP calculations can indicate periods when price action may slow or become choppy. If price remains within AMRP deviations or near them, traders can adjust risk or step aside, awaiting more favourable conditions for volatility-driven trades as new inner intervals or model roots appear.
Designed for Swing Traders and Higher Timeframes: The Weekly DTT Models are suited for those looking to study higher timeframe trends across futures, forex, and crypto markets. This tool equips traders with volatility-aware, and data-driven insights during extended market cycles.
Usage Guidance:
Add DTT Weekly Volatility Grid (NINE/ANARR) to your TradingView chart.
Customize your preferred time intervals, model history, and visual settings for your session.
Use the data table to track average model ranges and probabilities, ensuring you align your trades with key levels.
Incorporate DTT Weekly Volatility Grid (NINE/ANARR) into your existing strategies to fine-tune your view through based on data-driven insights into volatility and price behaviour.
Terms and Conditions
Our charting tools are products provided for informational and educational purposes only and do not constitute financial, investment, or trading advice. Our charting tools are not designed to predict market movements or provide specific recommendations. Users should be aware that past performance is not indicative of future results and should not be relied upon for making financial decisions. By using our charting tools, the purchaser agrees that the seller and the creator are not responsible for any decisions made based on the information provided by these charting tools. The purchaser assumes full responsibility and liability for any actions taken and the consequences thereof, including any loss of money or investments that may occur as a result of using these products. Hence, by purchasing these charting tools, the customer accepts and acknowledges that the seller and the creator are not liable nor responsible for any unwanted outcome that arises from the development, the sale, or the use of these products. Finally, the purchaser indemnifies the seller from any and all liability. If the purchaser was invited through the Friends and Family Program, they acknowledge that the provided discount code only applies to the first initial purchase of the Toodegrees Premium Suite subscription. The purchaser is therefore responsible for cancelling – or requesting to cancel – their subscription in the event that they do not wish to continue using the product at full retail price. If the purchaser no longer wishes to use the products, they must unsubscribe from the membership service, if applicable. We hold no reimbursement, refund, or chargeback policy. Once these Terms and Conditions are accepted by the Customer, before purchase, no reimbursements, refunds or chargebacks will be provided under any circumstances.
By continuing to use these charting tools, the user acknowledges and agrees to the Terms and Conditions outlined in this legal disclaimer.
Daily DividerDaily Divider with Custom Day Labels is a visual indicator that places vertical dividers on TradingView charts at the start of each day. This indicator helps improve clarity in technical analysis by visually separating each trading session. Additionally, it allows for customization of the day labels with abbreviations (such as “Mon” for Monday, “Tue” for Tuesday, etc.), which are displayed alongside the divider lines.
Features:
• Day Dividers: Draws vertical lines at the start of each trading day to clearly separate daily sessions.
• Custom Day Labels: You can change the day abbreviations (e.g., “Sun” for Sunday, “Mon” for Monday) directly in the indicator settings.
• Style Options: The divider line style (solid, dashed, dotted) and its color can be adjusted to fit your preferences.
• Text Settings: Customize the color and size of the day labels, with the option to show or hide the labels.
• Timeframe Optimization: The divider lines are only drawn on daily or lower timeframes, ensuring they don’t appear on higher timeframes (weekly, monthly, etc.).
This indicator is ideal for traders who perform daily analysis and want a clearer view of the different days of the week on their charts, without the need to manually mark the day divisions.
CAGR ProjectionThe CAGR Projection Indicator is a tool designed to visualize the potential growth of an asset over time based on a specified annual growth rate. This indicator overlays a projection line on the price chart, allowing traders and investors to compare actual price movements with a hypothetical growth trajectory.
One of the key features of this indicator is the ability for users to input their expected annual growth rate as a percentage. This flexibility allows for various scenarios to be modeled, from conservative estimates to more optimistic projections. Additionally, the indicator allows users to set a specific start date for the projection, enabling analysis from any chosen point in time.
The projection calculation is dynamic, adjusting for different timeframes and updating with each new bar on the chart. The indicator initializes either at the specified start date or when the first valid price is encountered. Using the initial price as a base, the indicator calculates the projected price for each subsequent bar using the compound growth formula. The calculation accounts for the specific timeframe of the chart, ensuring accurate projections regardless of whether the chart displays daily, weekly, or other intervals.
The projected growth is plotted as a blue line on the chart, providing a clear visual comparison between the actual price movement and the hypothetical growth trajectory. This visual representation makes it easy for users to quickly assess how an asset is performing relative to the expected growth rate.
This tool has several practical applications. Investors can use it to set realistic growth targets for their investments. By comparing actual price movements to the projection line, users can quickly assess if an asset is outperforming or underperforming relative to the expected growth rate. Furthermore, multiple instances of the indicator can be used with different growth rates to visualize various potential outcomes, facilitating scenario analysis.
The indicator also offers customization options, such as displaying a label showing the annual growth rate used for the projection, and the ability to adjust the color of the projection line to suit individual preferences or chart setups.
In summary, this CAGR Projection indicator serves as a valuable tool for both long-term investors and traders, offering a simple yet effective way to visualize potential growth scenarios and assess investment performance over time. It combines ease of use with powerful analytical capabilities, making it a useful addition to any trader's or investor's toolkit.
Crypto Wallets Profitability & Performance [LuxAlgo]The Crypto Wallets Profitability & Performance indicator provides a comprehensive view of the financial status of cryptocurrency wallets by leveraging on-chain data from IntoTheBlock. It measures the percentage of wallets profiting, losing, or breaking even based on current market prices.
Additionally, it offers performance metrics across different timeframes, enabling traders to better assess market conditions.
This information can be crucial for understanding market sentiment and making informed trading decisions.
🔶 USAGE
🔹 Wallets Profitability
This indicator is designed to help traders and analysts evaluate the profitability of cryptocurrency wallets in real-time. It aggregates data gathered from the blockchain on the number of wallets that are in profit, loss, or breaking even and presents it visually on the chart.
Breaking even line demonstrates how realized gains and losses have changed, while the profit and the loss monitor unrealized gains and losses.
The signal line helps traders by providing a smoothed average and highlighting areas relative to profiting and losing levels. This makes it easier to identify and confirm trading momentum, assess strength, and filter out market noise.
🔹 Profitability Meter
The Profitability Meter is an alternative display that visually represents the percentage of wallets that are profiting, losing, or breaking even.
🔹 Performance
The script provides a view of the financial health of cryptocurrency wallets, showing the percentage of wallets in profit, loss, or breaking even. By combining these metrics with performance data across various timeframes, traders can gain valuable insights into overall wallet performance, assess trend strength, and identify potential market reversals.
🔹 Dashboard
The dashboard presents a consolidated view of key statistics. It allows traders to quickly assess the overall financial health of wallets, monitor trend strength, and gauge market conditions.
🔶 DETAILS
🔹 The Chart Occupation Option
The chart occupation option adjusts the occupation percentage of the chart to balance the visibility of the indicator.
🔹 The Height in Performance Options
Crypto markets often experience significant volatility, leading to rapid and substantial gains or losses. Hence, plotting performance graphs on top of the chart alongside other indicators can result in a cluttered display. The height option allows you to adjust the plotting for balanced visibility, ensuring a clearer and more organized chart.
🔶 SETTINGS
The script offers a range of customizable settings to tailor the analysis to your trading needs.
Chart Occupation %: Adjust the occupation percentage of the chart to balance the visibility of the indicator.
🔹 Profiting Wallets
Profiting Percentage: Toggle to display the percentage of wallets in profit.
Smoothing: Adjust the smoothing period for the profiting percentage line.
Signal Line: Choose a signal line type (SMA, EMA, RMA, or None) to overlay on the profiting percentage.
🔹 Losing Wallets
Losing Percentage: Toggle to display the percentage of wallets in loss.
Smoothing: Adjust the smoothing period for the losing percentage line.
Signal Line: Choose a signal line type (SMA, EMA, RMA, or None) to overlay on the losing percentage.
🔹 Breaking Even Wallets
Breaking-Even Percentage: Toggle to display the percentage of wallets breaking even.
Smoothing: Adjust the smoothing period for the breaking-even percentage line.
🔹 Profitability Meter
Profitability Meter: Enable or disable the meter display, set its width, and adjust the offset.
🔹 Performance
Performance Metrics: Choose the timeframe for performance metrics (Day to Date, Week to Date, etc.).
Height: Adjust the height of the chart visuals to balance the visibility of the indicator.
🔹 Dashboard
Block Profitability Stats: Toggle the display of profitability stats.
Performance Stats: Toggle the display of performance stats.
Dashboard Size and Position: Customize the size and position of the performance dashboard on the chart.
🔶 RELATED SCRIPTS
Market-Sentiment-Technicals
Multi-Chart-Widget
Exposure Oscillator (Cumulative 0 to ±100%)
Exposure Oscillator (Cumulative 0 to ±100%)
This Pine Script indicator plots an "Exposure Oscillator" on the chart, which tracks the cumulative market exposure from a range of technical buy and sell signals. The exposure is measured on a scale from -100% (maximum short exposure) to +100% (maximum long exposure), helping traders assess the strength of their position in the market. It provides an intuitive visual cue to aid decision-making for trend-following strategies.
Buy Signals (Increase Exposure Score by +10%)
Buy Signal 1 (Cross Above 21 EMA):
This signal is triggered when the price crosses above the 21-period Exponential Moving Average (EMA), where the current bar closes above the EMA21, and the previous bar closed below the EMA21. This indicates a potential upward price movement as the market shifts into a bullish trend.
buySignal1 = ta.crossover(close, ema21)
Buy Signal 2 (Trending Above 21 EMA):
This signal is triggered when the price closes above the 21-period EMA for each of the last 5 bars, indicating a sustained bullish trend. It confirms that the price is consistently above the EMA21 for a significant period.
buySignal2 = ta.barssince(close <= ema21) > 5
Buy Signal 3 (Living Above 21 EMA):
This signal is triggered when the price has closed above the 21-period EMA for each of the last 15 bars, demonstrating a strong, prolonged uptrend.
buySignal3 = ta.barssince(close <= ema21) > 15
Buy Signal 4 (Cross Above 50 SMA):
This signal is triggered when the price crosses above the 50-period Simple Moving Average (SMA), where the current bar closes above the 50 SMA, and the previous bar closed below it. It indicates a shift toward bullish momentum.
buySignal4 = ta.crossover(close, sma50)
Buy Signal 5 (Cross Above 200 SMA):
This signal is triggered when the price crosses above the 200-period Simple Moving Average (SMA), where the current bar closes above the 200 SMA, and the previous bar closed below it. This suggests a long-term bullish trend.
buySignal5 = ta.crossover(close, sma200)
Buy Signal 6 (Low Above 50 SMA):
This signal is true when the lowest price of the current bar is above the 50-period SMA, indicating strong bullish pressure as the price maintains itself above the moving average.
buySignal6 = low > sma50
Buy Signal 7 (Accumulation Day):
An accumulation day occurs when the closing price is in the upper half of the daily range (greater than 50%) and the volume is larger than the previous bar's volume, suggesting buying pressure and accumulation.
buySignal7 = (close - low) / (high - low) > 0.5 and volume > volume
Buy Signal 8 (Higher High):
This signal occurs when the current bar’s high exceeds the highest high of the previous 14 bars, indicating a breakout or strong upward momentum.
buySignal8 = high > ta.highest(high, 14)
Buy Signal 9 (Key Reversal Bar):
This signal is generated when the stock opens below the low of the previous bar but rallies to close above the previous bar’s high, signaling a potential reversal from bearish to bullish.
buySignal9 = open < low and close > high
Buy Signal 10 (Distribution Day Fall Off):
This signal is triggered when a distribution day (a day with high volume and a close near the low of the range) "falls off" the rolling 25-bar period, indicating the end of a bearish trend or selling pressure.
buySignal10 = ta.barssince(close < sma50 and close < sma50) > 25
Sell Signals (Decrease Exposure Score by -10%)
Sell Signal 1 (Cross Below 21 EMA):
This signal is triggered when the price crosses below the 21-period Exponential Moving Average (EMA), where the current bar closes below the EMA21, and the previous bar closed above it. It suggests that the market may be shifting from a bullish trend to a bearish trend.
sellSignal1 = ta.crossunder(close, ema21)
Sell Signal 2 (Trending Below 21 EMA):
This signal is triggered when the price closes below the 21-period EMA for each of the last 5 bars, indicating a sustained bearish trend.
sellSignal2 = ta.barssince(close >= ema21) > 5
Sell Signal 3 (Living Below 21 EMA):
This signal is triggered when the price has closed below the 21-period EMA for each of the last 15 bars, suggesting a strong downtrend.
sellSignal3 = ta.barssince(close >= ema21) > 15
Sell Signal 4 (Cross Below 50 SMA):
This signal is triggered when the price crosses below the 50-period Simple Moving Average (SMA), where the current bar closes below the 50 SMA, and the previous bar closed above it. It indicates the start of a bearish trend.
sellSignal4 = ta.crossunder(close, sma50)
Sell Signal 5 (Cross Below 200 SMA):
This signal is triggered when the price crosses below the 200-period Simple Moving Average (SMA), where the current bar closes below the 200 SMA, and the previous bar closed above it. It indicates a long-term bearish trend.
sellSignal5 = ta.crossunder(close, sma200)
Sell Signal 6 (High Below 50 SMA):
This signal is true when the highest price of the current bar is below the 50-period SMA, indicating weak bullishness or a potential bearish reversal.
sellSignal6 = high < sma50
Sell Signal 7 (Distribution Day):
A distribution day is identified when the closing range of a bar is less than 50% and the volume is larger than the previous bar's volume, suggesting that selling pressure is increasing.
sellSignal7 = (close - low) / (high - low) < 0.5 and volume > volume
Sell Signal 8 (Lower Low):
This signal occurs when the current bar's low is less than the lowest low of the previous 14 bars, indicating a breakdown or strong downward momentum.
sellSignal8 = low < ta.lowest(low, 14)
Sell Signal 9 (Downside Reversal Bar):
A downside reversal bar occurs when the stock opens above the previous bar's high but falls to close below the previous bar’s low, signaling a reversal from bullish to bearish.
sellSignal9 = open > high and close < low
Sell Signal 10 (Distribution Cluster):
This signal is triggered when a distribution day occurs three times in the rolling 7-bar period, indicating significant selling pressure.
sellSignal10 = ta.valuewhen((close < low) and volume > volume , 1, 7) >= 3
Theme Mode:
Users can select the theme mode (Auto, Dark, or Light) to match the chart's background or to manually choose a light or dark theme for the oscillator's appearance.
Exposure Score Calculation: The script calculates a cumulative exposure score based on a series of buy and sell signals.
Buy signals increase the exposure score, while sell signals decrease it. Each signal impacts the score by ±10%.
Signal Conditions: The buy and sell signals are derived from multiple conditions, including crossovers with moving averages (EMA21, SMA50, SMA200), trend behavior, and price/volume analysis.
Oscillator Visualization: The exposure score is visualized as a line on the chart, changing color based on whether the exposure is positive (long position) or negative (short position). It is limited to the range of -100% to +100%.
Position Type: The indicator also indicates the position type based on the exposure score, labeling it as "Long," "Short," or "Neutral."
Horizontal Lines: Reference lines at 0%, 100%, and -100% visually mark neutral, increasing long, and increasing short exposure levels.
Exposure Table: A table displays the current exposure level (in percentage) and position type ("Long," "Short," or "Neutral"), updated dynamically based on the oscillator’s value.
Inputs:
Theme Mode: Choose "Auto" to use the default chart theme, or manually select "Dark" or "Light."
Usage:
This oscillator is designed to help traders track market sentiment, gauge exposure levels, and manage risk. It can be used for long-term trend-following strategies or short-term trades based on moving average crossovers and volume analysis.
The oscillator operates in conjunction with the chart’s price action and provides a visual representation of the market’s current trend strength and exposure.
Important Considerations:
Risk Management: While the exposure score provides valuable insight, it should be combined with other risk management tools and analysis for optimal trading decisions.
Signal Sensitivity: The accuracy and effectiveness of the signals depend on market conditions and may require adjustments based on the user’s trading strategy or timeframe.
Disclaimer:
This script is for educational purposes only. Trading involves significant risk, and users should carefully evaluate all market conditions and apply appropriate risk management strategies before using this tool in live trading environments.
Self-Adaptive RSI with Fractal Dimension and Entropy ScalingSelf-Adaptive RSI with Fractal Dimension and Entropy Scaling
This advanced oscillator is a refined version of the RSI that integrates multi-timeframe analysis, fractal scaling, and entropy to create an adaptive, highly responsive indicator. The script leverages a range of techniques to dynamically adjust to market conditions and enhance sensitivity to trend and volatility. Here’s a breakdown of the core features:
Base and Fixed Adaptive Lengths:
A base length (input by the user) seeds the initial length for calculations. The script then calculates a fixed adaptive length as a multiplier of this base, providing consistency across different calculations.
Multi-Timeframe RSI Calculation:
The script calculates RSI across multiple timeframes (5 minutes to daily) and aggregates these values using a weighted average based on the Golden Ratio. This multi-timeframe RSI accounts for both short-term and long-term trends, making it more robust and responsive to shifts in market direction.
Enhanced RSI Using Adaptive Volume Weighting:
Price differences are smoothed and adjusted incorporating volume-based weights, allowing the RSI to adapt to changes in trading volume. This volume impact factor enhances trend detection accuracy.
Adaptive Zero-Lag RSI with Golden Ratio Smoothing:
To eliminate lag, the multi-timeframe RSI is smoothed using a zero-lag EMA based on a Golden Ratio length, adding precision to the RSI’s responsiveness while minimizing delay.
Fractal Dimension Scaling:
The oscillator is scaled to expand its range using fractal dimensions, capturing market complexity and adjusting for periods of high or low volatility. This scaling enhances sensitivity to price fluctuations.
Entropy-Based Trend Sensitivity and Volatility Compression:
The final RSI incorporates entropy scaling, achieved through a trend factor derived from a linear regression. This factor adjusts the RSI output based on market volatility and directional strength, compressing the indicator during stable periods and expanding it in high-volatility conditions.
Overbought and Oversold Thresholds Using Statistical Percentiles:
Rather than fixed thresholds, the overbought and oversold levels are set dynamically using percentile ranks (99th and 1st percentiles) over a long period, making them adaptive and reflective of historical price extremes.
This self-adaptive RSI, combining multi-timeframe weighting, fractal scaling, and entropy, provides a nuanced view of market trends and momentum. It dynamically adjusts to market volatility and structure, offering a sophisticated tool for traders seeking adaptive trend analysis and reliable entry/exit signals.
Dynamic Movement-Based OscillatorDynamic Movement-Based Oscillator
This oscillator is designed to adapt its calculations based on market volatility, creating a dynamic and movement-sensitive indicator without using fixed or arbitrary lengths. It works by adjusting its sensitivity and smoothing based on the volatility of recent price action. The script utilizes the following core components:
Volatility-Driven Adaptive Length:
The adaptive length is calculated from the Average True Range (ATR) over a long period. This length dynamically adjusts between a minimum length and the maximum length allowed, ensuring that the oscillator's responsiveness aligns with current market conditions.
Directional Movement with Adaptive Smoothing:
Using an exponential moving average (EMA) of up and down price movements, this component calculates adaptive averages for upward and downward movement. The length of the EMA is set by the adaptive length, creating a response that mirrors recent volatility.
Ratio-Based Oscillator Calculation:
The oscillator value is calculated based on the ratio of average upward to downward movement. This ratio is transformed into a range centered around zero, with values oscillating between positive and negative regions based on the strength of directional movement.
Dynamic Normalization:
To stabilize the oscillator and provide a bounded range, the script normalizes it against the highest and lowest values over a large window (4999 bars or the adaptive length, whichever is greater). This scaling ensures that the oscillator is calibrated to recent highs and lows, eliminating the need for arbitrary limits.
Adaptive Smoothing:
The final oscillator output is smoothed with a secondary adaptive EMA, where the smoothing factor is dynamically set to half of the current volatility length. This creates a responsive but stable line that adapts as market volatility changes.
Multi-Level Visual Reference Lines:
Several horizontal reference lines are plotted to guide interpretation:
High (50): Indicates potential overbought levels.
Tending/Rejection (25) and Rejection/Trending (-25): Mark areas where reversals or continuations might be expected.
Mid (0): The central line around which the oscillator oscillates.
Low (-50): Represents potential oversold levels.
This oscillator aims to capture directional momentum dynamically, allowing for adaptable, real-time analysis of price action with smooth, volatility-adjusted responses. It’s useful for detecting shifts in market momentum, particularly in trending or highly volatile environments.
Because the lengths are so long this can be used on really small time frames
Trending days will often live in the top or bottom quartile
Divergences work extremely well