Confirmed market structure buy/sell indicatorOverview
The Swing Point Breakout Indicator with Multi-Timeframe Dashboard is a TradingView tool designed to identify potential buy and sell signals based on swing point breakouts on the primary chart's timeframe while simultaneously providing a snapshot of the market structure across multiple higher timeframes. This dual approach helps traders make informed decisions by aligning short-term signals with broader market trends.
Key Features
Swing Point Breakout Detection
Swing Highs and Lows: Identifies significant peaks and troughs based on a user-defined lookback period.
Breakout Signals:
Bullish Breakout (Buy Signal): Triggered when the price closes above the latest swing high.
Bearish Breakout (Sell Signal): Triggered when the price closes below the latest swing low.
Visual Indicators: Highlights breakout bars with colors (lime for bullish, red for bearish) and plots buy/sell markers on the chart.
Multi-Timeframe Dashboard
Timeframes Monitored: 1m, 5m, 15m, 1h, 4h, 1D, and 1W.
Market Structure Status:
Bullish: Indicates upward market structure.
Bearish: Indicates downward market structure.
Neutral: No clear trend.
Visual Table: Displays each timeframe with its current status, color-coded for quick reference (green for bullish, red for bearish, gray for neutral).
Operational Workflow
Initialization:
Sets up a dashboard table on the chart's top-right corner with headers "Timeframe" and "Status".
Swing Point Detection:
Continuously scans the main timeframe for swing highs and lows using the specified lookback period.
Updates the latest swing high and low levels.
Signal Generation:
Detects when the price breaks above the last swing high (bullish) or below the last swing low (bearish).
Activates potential buy/sell setups and confirms signals based on subsequent price movements.
Dashboard Update:
For each defined higher timeframe, assesses the market structure by checking for breakouts of swing points.
Updates the dashboard with the current status for each timeframe, aiding in trend confirmation.
Visualization:
Colors the bars where breakouts occur.
Plots buy and sell signals directly on the chart for easy identification.
In den Scripts nach "Table" suchen
2024 - Median High-Low % Change - Monthly, Weekly, DailyDescription:
This indicator provides a statistical overview of Bitcoin's volatility by displaying the median high-to-low percentage changes for monthly, weekly, and daily timeframes. It allows traders to visualize typical price fluctuations within each period, supporting range and volatility-based trading strategies.
How It Works:
Calculation of High-Low % Change: For each selected timeframe (monthly, weekly, and daily), the script calculates the percentage change from the high to the low price within the period.
Median Calculation: The median of these high-to-low changes is determined for each timeframe, offering a robust central measure that minimizes the impact of extreme price swings.
Table Display: At the end of the chart, the script displays a table in the top-right corner with the median values for each selected timeframe. This table is updated dynamically to show the latest data.
Usage Notes:
This script includes input options to toggle the visibility of each timeframe (monthly, weekly, and daily) in the table.
Designed to be used with Bitcoin on daily and higher timeframes for accurate statistical insights.
Ideal for traders looking to understand Bitcoin's typical volatility and adjust their strategies accordingly.
This indicator does not provide specific buy or sell signals but serves as an analytical tool for understanding volatility patterns.
David_candle length with average and candle directionThis indicator,
calculates the difference between the highest and lowest price (High-Low difference) for a specified number of periods and displays it in a table. Here are the functions and details included:
Number of Periods: The user can define the number of periods (e.g., 10) for which the High-Low differences are calculated.
Table Position: The position of the table that displays the results can be selected by the user (top left, top right, bottom left, or bottom right).
High-Low Difference per Candle: For each defined period, the difference between the highest and lowest price of the respective candle is calculated.
Candle Direction: The color of the displayed text in the table changes based on the candle direction:
Green for bullish candles (close price higher than open price).
Red for bearish candles (close price lower than open price).
White for neutral candles (close price equal to open price).
Average: Below the High-Low differences, the average value of the calculated differences is displayed in yellow text.
This indicator is useful for visually analyzing the volatility and movement range within the recent candles by highlighting the average High-Low difference.
RBF Kijun Trend System [InvestorUnknown]The  RBF Kijun Trend System  utilizes advanced mathematical techniques, including the Radial Basis Function (RBF) kernel and Kijun-Sen calculations, to provide traders with a smoother trend-following experience and reduce the impact of noise in price data. This indicator also incorporates ATR to dynamically adjust smoothing and further minimize false signals.
 Radial Basis Function (RBF) Kernel Smoothing 
 
 The RBF kernel is a mathematical method used to smooth the price series. By calculating weights based on the distance between data points, the RBF kernel ensures smoother transitions and a more refined representation of the price trend.
 The RBF Kernel Weighted Moving Average is computed using the formula:
 
 f_rbf_kernel(x, xi, sigma) =>
    math.exp(-(math.pow(x - xi, 2)) / (2 * math.pow(sigma, 2))) 
 
 The smoothed price is then calculated as a weighted sum of past prices, using the RBF kernel weights:
 
 f_rbf_weighted_average(src, kernel_len, sigma) =>
    float total_weight = 0.0
    float weighted_sum = 0.0
   
    // Compute weights and sum for the weighted average
    for i = 0 to kernel_len - 1
        weight = f_rbf_kernel(kernel_len - 1, i, sigma)
        total_weight := total_weight + weight
        weighted_sum := weighted_sum + (src  * weight)
   
    // Check to avoid division by zero
    total_weight != 0 ? weighted_sum / total_weight : na 
 Kijun-Sen Calculation 
 
 The Kijun-Sen, a component of Ichimoku analysis, is used here to further establish trends. The Kijun-Sen is computed as the average of the highest high and the lowest low over a specified period (default: 14 periods).
 This Kijun-Sen calculation is based on the RBF-smoothed price to ensure smoother and more accurate trend detection.
 
 f_kijun_sen(len, source) =>
    math.avg(ta.lowest(source, len), ta.highest(source, len)) 
 ATR-Adjusted RBF and Kijun-Sen 
 
 To mitigate false signals caused by price volatility, the indicator features ATR-adjusted versions of both the RBF smoothed price and Kijun-Sen.
 The ATR multiplier is used to create upper and lower bounds around these lines, providing dynamic thresholds that account for market volatility.
 
 Neutral State and Trend Continuation 
 
 This indicator can interpret a neutral state, where the signal is neither bullish nor bearish. By default, the indicator is set to interpret a neutral state as a continuation of the previous trend, though this can be adjusted to treat it as a truly neutral state.
 Users can configure this setting using the signal_str input:
 
 simple string signal_str            = input.string("Continuation of Previous Trend", "Treat 0 State As", options =  , group = G1) 
  
 Visual difference between "Neutral" (Bottom) and "Continuation of Previous Trend" (Top). Click on the picture to see it in full size. 
 Customizable Inputs and Settings: 
 
 Source Selection: Choose the input source for calculations (open, high, low, close, etc.).
 Kernel Length and Sigma: Adjust the RBF kernel parameters to change the smoothing effect.
 Kijun Length: Customize the lookback period for Kijun-Sen.
 ATR Length and Multiplier: Modify these settings to adapt to market volatility.
 
 Backtesting and Performance Metrics 
The indicator includes a Backtest Mode, allowing users to evaluate the performance of the strategy using historical data. In Backtest Mode, a performance metrics table is generated, comparing the strategy's results to a simple buy-and-hold approach. Key metrics include mean returns, standard deviation, Sharpe ratio, and more.
 
 Equity Calculation: The indicator calculates equity performance based on signals, comparing it against the buy-and-hold strategy.
 Performance Metrics Table: Detailed performance analysis, including probabilities of positive, neutral, and negative returns.
 
 Alerts 
To keep traders informed, the indicator supports alerts for significant trend shifts:
 // - - - - - ALERTS - - - - - //{
alert_source                        = sig
bool long_alert                     = ta.crossover (intrabar ? alert_source : alert_source , 0)
bool short_alert                    = ta.crossunder(intrabar ? alert_source : alert_source , 0)
alertcondition(long_alert,  "LONG (RBF Kijun Trend System)",  "RBF Kijun Trend System flipped ⬆LONG⬆")
alertcondition(short_alert, "SHORT (RBF Kijun Trend System)", "RBF Kijun Trend System flipped ⬇Short⬇")
//} 
 Important Notes 
 
 Calibration Needed: The default settings provided are not optimized and are intended for demonstration purposes only. Traders should adjust parameters to fit their trading style and market conditions.
 Neutral State Interpretation: Users should carefully choose whether to treat the neutral state as a continuation or a separate signal.
 Backtest Results: Historical performance is not indicative of future results. Market conditions change, and past trends may not recur.
thinkCNE - Key with Multiple ColoursCustomisable Key with Multi-Coloured Highlights for Chart Annotations 
 Overview: 
This Customizable Key indicator is designed to provide traders with a clear and visually customizable legend that can be displayed on their chart. It allows users to annotate their charts with up to 10 distinct labels, each paired with a unique color-coded square. This feature is especially useful when you need to visually differentiate between various technical elements on your chart, such as support/resistance levels, Fair Value Gaps (FVGs), or important pivot points.
 Key Features: 
Customizable Labels and Colors: Each row in the table can be customized with unique text and background colors. This flexibility allows traders to create a personalized key that reflects the specific elements they are tracking, such as monthly FVGs, daily supports, volume-based zones, or any other custom annotations.
Flexible Number of Rows: The user can enable or disable rows as needed, which ensures that the table only shows relevant information. If fewer than 10 rows are required, the unused rows can be hidden from view, maintaining a clean and uncluttered chart.
Dynamic Table Placement: The key can be placed at different positions on the chart (top-right, middle-right, or bottom-right), giving users control over where the key appears to avoid covering important parts of their technical analysis.
Adjustable Size and Text Format: Users can customize the size of the color squares, the text, and even the overall appearance of the table. The text size can range from small to huge, making the labels easy to read based on personal preferences.
 Use Cases: 
Annotating Key Technical Zones: The indicator is perfect for annotating multiple technical zones or levels that require consistent attention. For example, traders can label areas like "Monthly FVG," "Daily Support," "Key Resistance," or even "Volume Spike," and color-code them accordingly for quick reference.
Drawing Clarity: A well-organized chart is essential for clear decision-making. This indicator enhances clarity by visually categorizing different chart features, making it easier to quickly interpret the chart without confusion. The customizable color squares ensure that users can quickly identify which technical element corresponds to which label on the chart.
Visual Aid for Strategy Execution: For traders using strategies involving multiple indicators, support and resistance lines, or patterns, this key helps keep track of all the elements, especially when several overlapping annotations might clutter the chart. It allows users to draw specific attention to key areas of interest and explain the rationale for each one.
Educational & Presentational Tool: If you're conducting trading education sessions or presentations, this indicator can serve as a powerful tool to explain concepts in real-time. You can present your chart with clearly marked zones or levels, where each color and label explains the reasoning behind your analysis. It’s a professional tool for walkthroughs or strategy breakdowns.
 Benefits: 
Enhanced Visual Organization: The color-coded squares and corresponding labels make it easier to maintain organization within a busy chart. Traders can distinguish between multiple chart elements at a glance, which enhances their focus on critical zones or setups.
Improved Decision-Making: By clearly labeling and color-coding areas of importance, traders can reduce the time it takes to assess the chart and make decisions, as the key provides a concise reference.
Customizable to Individual Needs: Traders can adapt the indicator to their specific trading style and chart elements, whether they're swing traders marking longer-term zones or day traders focusing on short-term levels.
Clarity on Complex Charts: For traders using charts with several indicators and drawings, the ability to clearly define what each color and label represents ensures that the chart remains understandable, even with multiple overlays.
Trend Following Moron TFM 10% System
Trend Following Moron TFM 10% System
The TFM 10% Market Timing System
The Trend Following Moron TFM 10% System is a powerful trading tool designed using Pine Script™, following the principles outlined by Dave S. Landry. This script helps traders identify optimal entry and exit points based on moving averages and market trends.
What the Script Does:
Visual representation of trend strength.
As long as it is trending in green band, trend is very strong and price is contained within 5% of the high.
As price drops to yellow band, strength is weakening and caution is advised. Price is between 5% to 10% away from52 week high.
As price drops in red band, it is to be avoided as trend is rolling over. Price is more than 10% way from 52 week high.
Moving Averages Calculation:
Users can choose between Simple Moving Average (SMA) and Exponential Moving Average (EMA) for daily, weekly, and monthly periods. The script calculates the moving averages to provide trend direction.
Trend Color Coding:
Moving averages are displayed in different colors based on market conditions: green indicates an uptrend, red for a downtrend, and gray for neutral conditions.
Highs Calculation:
The script calculates the 52-week and 12-month closing highs, which are crucial for identifying potential breakout points.
Level Definition:
Traders can set levels based on either Average True Range (ATR) or percentage changes from these highs, allowing for flexible risk management strategies.
Buy and Sell Conditions:
The script defines specific buy conditions: when the price is within 10% of the highest close and trading above the moving averages, and sell conditions: when the price falls below these thresholds.
Visual Indicators:
Buy and sell signals are visually represented on the chart with arrows, making it easy for traders to see potential trading opportunities at a glance.
Performance Labels:
The script includes performance labels that track the number of bars above or below the moving averages and the percentage change from the moving average, providing users with key metrics to evaluate their trades.
Interactive Table:
A table summarizing the buy and sell rules is displayed on the chart, ensuring that traders have quick access to the system’s trading logic.
Benefits of Using the TFM 10% System:
Streamlined Decision Making:
 The script simplifies the trading process by clearly outlining buy and sell signals, making it accessible even for novice traders.
Customizable Parameters: 
Users can tailor the script to their preferences by adjusting moving average types and lengths, ATR levels, and percentage thresholds. Bands are interchange able for ATR and Percent below 52 week high for volatility looks. But buy and sell are fixed in 10% threshold.
Risk Management: 
By utilizing ATR and percentage levels, traders can effectively manage their risk, making the trading process more systematic.
Comprehensive Market Analysis: 
The combination of multiple time frames (daily, weekly, monthly) allows for a well-rounded analysis of market trends, enhancing trading accuracy.
Balance of Power [SYNC & TRADE]Balance of Power   
 Overview 
This indicator analyzes the balance of power between buyers and sellers in the market. It uses volume, price action and the relative strength index (RSI) to determine the strength of buyers and sellers, as well as to identify potential zones where one side dominates the other.
 How it works 
The indicator calculates the average volume over a specified period.
It determines the strength of each bar, taking into account volume and price action.
RSI is used as an additional factor to assess the strength of the trend.
Based on these factors, the "balance of power" between buyers and sellers is calculated.
When the balance of power exceeds a specified threshold, the indicator marks the beginning of the "buyer zone" or "seller zone".
 How to use 
Add the indicator to your chart in TradingView.
Configure the input parameters:
"Period for average volume": determines the sensitivity to volume changes.
"RSI period": affects the sensitivity of the RSI to price changes.
"Strength threshold": sets the level for determining a significant imbalance.
"Table Size": select the appropriate size of the information table.
Observe the signals on the chart:
Blue triangle up: the beginning of the buyer zone.
Red triangle down: the beginning of the seller zone.
Use the information table to get additional data:
Current balance of power
Buyers or sellers have strength
Current RSI value
 Advantages 
Comprehensive analysis of market conditions
Visual signals for potential entry points
Customizable parameters to adapt to different trading styles
Informative table for quick analysis of the current situation
 Limitations 
Like any indicator, it can give false signals
Requires additional analysis and confirmation with other tools
Efficiency may vary depending on market conditions
Recommendations
Use this indicator in combination with other analysis methods to make trading decisions. Experiment with the settings to optimize for your trading style and selected assets.
 Balance of Power   Ru 
 Обзор 
Этот индикатор анализирует баланс сил между покупателями и продавцами на рынке. Он использует объем, ценовое движение и индекс относительной силы (RSI) для определения силы покупателей и продавцов, а также для выявления потенциальных зон, где одна сторона доминирует над другой.
 Как это работает 
Индикатор рассчитывает среднее значение объема за указанный период.
Он определяет силу каждого бара, учитывая объем и ценовое движение.
RSI используется как дополнительный фактор для оценки силы тренда.
На основе этих факторов вычисляется "баланс сил" между покупателями и продавцами.
Когда баланс сил превышает заданный порог, индикатор отмечает начало "зоны покупателей" или "зоны продавцов".
 Как использовать 
Добавьте индикатор на ваш график в TradingView.
Настройте входные параметры:
"Период для среднего объема": определяет чувствительность к изменениям объема.
"Период RSI": влияет на чувствительность RSI к ценовым изменениям.
"Порог силы": устанавливает уровень для определения значимого дисбаланса.
"Размер таблицы": выберите подходящий размер информационной таблицы.
Наблюдайте за сигналами на графике:
Синий треугольник вверх: начало зоны покупателей.
Красный треугольник вниз: начало зоны продавцов.
Используйте информационную таблицу для получения дополнительных данных:
Текущий баланс сил
Наличие силы у покупателей или продавцов
Текущее значение RSI
 Преимущества 
Комплексный анализ рыночных условий
Визуальные сигналы для потенциальных точек входа
Настраиваемые параметры для адаптации к разным торговым стилям
Информативная таблица для быстрого анализа текущей ситуации
 Ограничения 
Как и любой индикатор, может давать ложные сигналы
Требует дополнительного анализа и подтверждения другими инструментами
Эффективность может варьироваться в зависимости от рыночных условий
 Рекомендации 
Используйте этот индикатор в сочетании с другими методами анализа для принятия торговых решений. Экспериментируйте с настройками для оптимизации под ваш торговый стиль и выбранные активы.
Power MarketPower Market Indicator
Description: The Power Market Indicator is designed to help traders assess market strength and make informed decisions for entering and exiting positions. This innovative indicator provides a comprehensive view of the evolution of Simple Moving Averages (SMA) over different periods and offers a clear measure of market strength through a total score.
Key Features:
Multi-Period SMA Analysis:
Calculates Simple Moving Averages (SMA) for 10 different periods ranging from 10 to 100.
Provides detailed analysis by comparing the current closing price with these SMAs.
Market Strength Measurement:
Assesses market strength by calculating a total score based on the relationship between the closing price and the SMAs.
The total score is displayed as a histogram with distinct colors for positive and negative values.
Smoothed Curve for Better View:
A smoothing of the total score is applied using a 5-period Simple Moving Average to represent the overall trend more smoothly.
Dynamic Information Table:
Real-time display of the maximum and minimum values among the SMAs, as well as the difference between these values, providing valuable insights into the variability of moving averages.
Visual Reference Lines:
Horizontal lines at zero, +50, and -50 for easy evaluation of key score levels.
How to Use the Indicator:
Position Entries: Use high positive scores to identify buying opportunities when market strength is strong.
Position Exits: Negative scores may signal market weakness, allowing you to exit positions or wait for a better opportunity.
Data Analysis: The table helps you understand the variability of SMAs, offering additional context for your trading decisions.
This powerful tool provides an in-depth view of market dynamics and helps you navigate your trading strategies with greater confidence. Embrace the Power Market Indicator and optimize your trading decisions today!
Futures Risk CalculatorFutures Risk Calculator Script - Description
The Futures Risk Calculator (FRC) is a comprehensive tool designed to help traders effectively manage risk when trading futures contracts. This script allows users to calculate risk/reward ratios directly on the chart by specifying their entry price and stop loss. It's an ideal tool for futures traders who want to quantify their potential losses and gains with precision, based on their trading account size and the number of contracts they trade.
 What the Script Does: 
 1. Risk and Reward Calculation: 
 
  The script calculates your total risk in dollars and as a percentage of your account size based on the entry and stop-loss prices you input.
  It also calculates two key levels where potential reward (Take Profit 1 and Take Profit 2) can be expected, helping you assess the reward-to-risk ratio for any trade.
 
 2. Customizable Settings: 
 
  You can specify the size of your trading account (available $ for Futures trading) and the number of futures contracts you're trading. This allows for tailored risk management that reflects your exact trading conditions.
 
 3. Live Chart Integration: 
 
  You add the script to your chart after opening a futures chart in TradingView. Simply click on the chart to set your Entry Price and Stop Loss. The script will instantly calculate and display the risk and reward levels based on the points you set.
  Adjusting the entry and stop-loss points later is just as easy: drag and drop the levels directly on the chart, and the risk and reward calculations update automatically.
 
 4.	Futures Contract Support: 
 
  The script is pre-configured with a list of popular futures symbols (like ES, NQ, CL, GC, and more). If your preferred futures contract isn’t in the list, you can easily add it by modifying the script.
  The script uses each symbol’s point value to ensure precise risk calculations, providing you with an accurate dollar risk and potential reward based on the specific contract you're trading.
 
 How to Use the Script: 
 1. Apply the Script to a Futures Chart: 
 
  Open a futures contract chart in TradingView.
  Add the Futures Risk Calculator (FRC) script as an indicator.
 
 2. Set Entry and Stop Loss: 
 
  Upon applying the script, it will prompt you to select your entry price by clicking the chart where you plan to enter the market.
  Next, click on the chart to set your stop-loss level.
  The script will then calculate your total risk in dollars and as a percentage of your account size.
 
 3. View Risk, Reward, and (Take Profit): 
 
  You can immediately see visual lines representing your entry, stop loss, and the calculated reward-to-risk ratio levels (Take Profit 1 and Take Profit 2).
  If you want to adjust the entry or stop loss after plotting them, simply move the points on 
the chart, and the script will recalculate everything for you.
 
 4. Configure Account and Contracts: 
 
  In the script settings, you can enter your account size and adjust the number of contracts you are trading. These inputs allow the script to calculate risk in monetary terms and as a percentage, making it easier to manage your risk effectively.
 
 5. Understand the Information in the Table: 
Once you apply the script, a table will appear in the top-right corner of your chart, providing you with key information about your futures contract and the trade setup. Here's what each field represents:
 
  Account Size: Displays your total account value, which you can set in the script's settings.
  Future: Shows the selected futures symbol, along with key details such as its tick size and point value. This gives you a clear understanding of how much one point or tick is worth in dollar terms.
  Entry Price: The exact price at which you plan to enter the trade, displayed in green.
  Stop Loss Price: The price level where you plan to exit the trade if the market moves against you, shown in red.
  Contracts: The number of futures contracts you are trading, which you can adjust in the settings.
  Risk: Highlighted in orange, this field shows your total risk in dollars, as well as the percentage risk based on your account size. This is a crucial value to help you stay within your risk tolerance and manage your trades effectively.
Swing Trend AnalysisIntroducing the  Swing Trend Analyzer: A Powerful Tool for Swing and Positional Trading 
The  Swing Trend Analyzer  is a cutting-edge indicator designed to enhance your swing and positional trading by providing precise entry points based on volatility contraction patterns and other key technical signals. This versatile tool is packed with features that cater to traders of all timeframes, offering flexibility, clarity, and actionable insights.
 Key Features: 
 1. Adaptive Moving Averages: 
The Swing Trend Analyzer offers multiple moving averages tailored to the timeframe you are trading on. On the daily chart, you can select up to four different moving average lengths, while all other timeframes provide three moving averages. This flexibility allows you to fine-tune your analysis according to your trading strategy. Disabling a moving average is as simple as setting its value to zero, making it easy to customize the indicator to your needs.
 2. Dynamic Moving Average Colors Based on Relative Strength: 
This feature allows you to compare the performance of the current ticker against a major index or any symbol of your choice. The moving average will change color based on whether the ticker is outperforming or underperforming the selected index over the chosen period. For example, on a daily chart, if the 21-day moving average turns blue, it indicates that the ticker has outperformed the selected index over the last 21 days. This visual cue helps you quickly identify relative strength, a key factor in successful swing trading.
 3. Visual Identification of Price Contractions: 
The Swing Trend Analyzer changes the color of price bars to white (on a dark theme) or black (on a light theme) when a contraction in price is detected. Price contractions are highlighted when either of the following conditions is met: a) the current bar is an inside bar, or b) the price range of the current bar is less than the 14-period Average Daily Range (ADR). This feature makes it easier to spot price contractions across all timeframes, which is crucial for timing entries in swing trading.
 4. Overhead Supply Detection with Automated Resistance Lines: 
The indicator intelligently detects the presence of overhead supply and draws a single resistance line to avoid clutter on the chart. As price breaches the resistance line, the old line is automatically deleted, and a new resistance line is drawn at the appropriate level. This helps you focus on the most relevant resistance levels, reducing noise and improving decision-making.
 5. Buyable Gap Up Marker:  The indicator highlights bars in blue when a candle opens with a gap that remains unfilled. These bars are potential Buyable Gap Up (BGU) candidates, signaling opportunities for long-side entries.
 6. Comprehensive Swing Trading Information Table: 
The indicator includes a detailed table that provides essential data for swing trading:
 a. Sector and Industry Information:  Understand the sector and industry of the ticker to identify stocks within strong sectors.
 b. Key Moving Averages Distances (10MA, 21MA, 50MA, 200MA):  Quickly assess how far the current price is from key moving averages. The color coding indicates whether the price is near or far from these averages, offering vital visual cues.
 c. Price Range Analysis:  Compare the current bar's price range with the previous bar's range to spot contraction patterns.
 d. ADR (20, 10, 5):  Displays the Average Daily Range over the last 20, 10, and 5 periods, crucial for identifying contraction patterns. On the weekly chart, the ADR continues to provide daily chart information.
 e. 52-Week High/Low Data:  Shows how close the stock is to its 52-week high or low, with color coding to highlight proximity, aiding in the identification of potential breakout or breakdown candidates.
 f. 3-Month Price Gain:  See the price gain over the last three months, which helps identify stocks with recent momentum.
 7. Pocket Pivot Detection with Visual Markers: 
Pocket pivots are a powerful bullish signal, especially relevant for swing trading. Pocket pivots are crucial for swing trading and are effective across all timeframes. The indicator marks pocket pivots with circular markers below the price bar:
 a. 10-Day Pocket Pivot:  Identified when the volume exceeds the maximum selling volume of the last 10 days. These are marked with a blue circle.
 b. 5-Day Pocket Pivot:  Identified when the volume exceeds the maximum selling volume of the last 5 days. These are marked with a green circle.
The Swing Trend Analyzer is designed to provide traders with the tools they need to succeed in swing and positional trading. Whether you're looking for precise entry points, analyzing relative strength, or identifying key price contractions, this indicator has you covered. Experience the power of advanced technical analysis with the Swing Trend Analyzer and take your trading to the next level.
Ethereum ETF Tracker (EET)Get all the information you need about all the different Ethereum ETF. 
With the Ethereum ETF Tracker, you can observe all possible Ethereum ETF data:
 
  ETF name.
  Ticker.
  Price.
  Volume.
  Share of total ETF volume.
  Fees.
  Exchange.
  Custodian.
 
At the bottom of the table, you'll find the ETHE Premium  (and ETH per Share), and day's total volume.
In addition, you can see the volume for the different Exchanges, as well as for the different Custodians.
If you don't want to display these lines to save space, you can uncheck "Show Additional Data" in the indicator settings.
 The Idea 
The goal is to provide the community with a tool for tracking all Ethereum ETF data in a synthesized way, directly in your TradingView chart.
 How to Use 
Simply read the information in the table. You can hover above the Fees and Exchanges cells for more details.
The table takes space on the chart, you can remove the extra lines by unchecking "Show Additional Data" in the indicator settings or reduce text size by changing the "Table Text Size" parameter.
Aggregate volume can be displayed directly on the graph (this volume can be displayed on any asset, such as Ethereum itself). The display can be disabled in the settings.
 
Stocks Above 5-Day Average (FOMO)Overview 
Inspired by Matt Carusos's FOMO indicator, this breadth indicator is designed to provide a visual representation of the percentage of stocks within major indices that are trading above their 5-day moving average. 
 Functionality 
The indicator plots the percentage of stocks trading above their 5-day moving average for the following indices:
 
 S&P 500
 Nasdaq
 Russell 2000
 Dow Jones
 All Markets (MMFD)
 
The indicator includes two horizontal lines:
 
 Upper Threshold: Default at 85%
 Lower Threshold: Default at 15%
 
These lines are used to identify potential overbought (above upper threshold) or oversold (below lower threshold) conditions.
Plot Shapes:
Small circles are plotted at the points where the percentage of stocks crosses the upper or lower thresholds, with colors matching the respective index.
Table:
The current percentage of stocks above the 5-day average for each index.
A warning sign (⚠️) is shown in the table if the percentage crosses the upper or lower threshold, regardless of whether the index plot is enabled or not.
RSI Analysis with Statistical Summary Scientific Analysis of the Script "RSI Analysis with Statistical Summary"
 Introduction
I observed that there are outliers in the price movement liquidity, and I wanted to understand the RSI value at those points and whether there are any notable patterns. I aimed to analyze this statistically, and this script is the result.
 Explanation of Key Terms
1. Outliers in Price Movement Liquidity: An outlier is a data point that significantly deviates from other values. In this context, an outlier refers to an unusually high or low liquidity of price movement, which is the ratio of trading volume to the price difference between the open and close prices. These outliers can signal important market changes or unusual trading activities.
2. RSI (Relative Strength Index): The RSI is a technical indicator that measures the speed and change of price movements. It ranges from 0 to 100 and helps identify overbought or oversold conditions of a trading instrument. An RSI value above 70 indicates an overbought condition, while a value below 30 suggests an oversold condition.
3. Mean: The mean is a measure of the average of a dataset. It is calculated by dividing the sum of all values by the number of values. In this script, the mean of the RSI values is calculated to provide a central tendency of the RSI distribution.
4. Standard Deviation (stdev): The standard deviation is a measure of the dispersion or variation of a dataset. It shows how much the values deviate from the mean. A high standard deviation indicates that the values are widely spread, while a low standard deviation indicates that the values are close to the mean.
5. 68% Confidence Interval: A confidence interval indicates the range within which a certain percentage of values of a dataset lies. The 68% confidence interval corresponds to a range of plus/minus one standard deviation around the mean. It indicates that about 68% of the data points lie within this range, providing insight into the distribution of values.
 Overview
This Pine Script™, written in Pine version 5, is designed to analyze the Relative Strength Index (RSI) of a stock or other trading instrument and create statistical summaries of the distribution of RSI values. The script identifies outliers in price movement liquidity and uses this information to calculate the frequency of RSI values. At the end, it displays a statistical summary in the form of a table.
 Structure and Functionality of the Script
1. Input Parameters
   - `rsi_len`: An integer input parameter that defines the length of the RSI (default: 14).
   - `outlierThreshold`: An integer input parameter that defines the length of the outlier threshold (default: 10).
2. Calculating Price Movement Liquidity
   - `priceMovementLiquidity`: The volume is divided by the absolute difference between the close and open prices to calculate the liquidity of the price movement.
3. Determining the Boundary for Liquidity and Identifying Outliers
   - `liquidityBoundary`: The boundary is calculated using the Exponential Moving Average (EMA) of the price movement liquidity and its standard deviation.
   - `outlier`: A boolean value that indicates whether the price movement liquidity exceeds the set boundary.
4. Calculating the RSI
   - `rsi`: The RSI is calculated with a period length of 14, using various moving averages (e.g., SMA, EMA) depending on the settings.
5. Storing and Limiting RSI Values
   - An array `rsiFrequency` stores the frequency of RSI values from 0 to 100.
   - The function `f_limit_rsi` limits the RSI values between 0 and 100.
6. Updating RSI Frequency on Outlier Occurrence
   - On an outlier occurrence, the limited and rounded RSI value is updated in the `rsiFrequency` array.
7. Statistical Summary
   - Various variables (`mostFrequentRsi`, `leastFrequentRsi`, `maxCount`, `minCount`, `sum`, `sumSq`, `count`, `upper_interval`, `lower_interval`) are initialized to perform statistical analysis.
   - At the last bar (`bar_index == last_bar_index`), a loop is run to determine the most and least frequent RSI values and their frequencies. Sum and sum of squares of RSI values are also updated for calculating mean and standard deviation.
   - The mean (`mean`) and standard deviation (`stddev`) are calculated. Additionally, a 68% confidence interval is determined.
8. Creating a Table for Result Display
   - A table `resultsTable` is created and filled with the results of the statistical analysis. The table includes the most and least frequent RSI values, the standard deviation, and the 68% confidence interval.
9. Graphical Representation
   - The script draws horizontal lines and fills to indicate overbought and oversold regions of the RSI.
 Interpretation of the Results
The script provides a detailed analysis of RSI values based on specific liquidity outliers. By calculating the most and least frequent RSI values, standard deviation, and confidence interval, it offers a comprehensive statistical summary that can help traders identify patterns and anomalies in the RSI. This can be particularly useful for identifying overbought or oversold conditions of a trading instrument and making informed trading decisions.
 Critical Evaluation
1. Robustness of Outlier Identification: The method of identifying outliers is solely based on the liquidity of price movement. It would be interesting to examine whether other methods or additional criteria for outlier identification would lead to similar or improved results.
2. Flexibility of RSI Settings: The ability to select various moving averages and period lengths for the RSI enhances the adaptability of the script, allowing users to tailor it to their specific trading strategies.
3. Visualization of Results: While the tabular representation is useful, additional graphical visualizations, such as histograms of RSI distribution, could further facilitate the interpretation of the results.
In conclusion, this script provides a solid foundation for analyzing RSI values by considering liquidity outliers and enables detailed statistical evaluation that can be beneficial for various trading strategies.
Multi Timeframe Moving Average Convergence Divergence {DCAquant}Overview 
The MTF MACD indicator provides a unique view of MACD (Moving Average Convergence Divergence) and Signal Line dynamics across various timeframes. It calculates the MACD and Signal Line for each selected timeframe and aggregates them for analysis.
 Key Features 
 MACD Calculation 
Utilizes standard MACD calculations based on user-defined parameters like fast length, slow length, and signal smoothing.
Determines the difference between the MACD and Signal Line to identify convergence or divergence.
 Multiple Timeframe Analysis 
Allows users to select up to six different timeframes for analysis, ranging from minutes to days, providing a holistic view of market trends.
Calculates MACD and Signal Line for each timeframe independently.
 Aggregated Analysis 
Combines MACD and Signal Line values from multiple timeframes to derive a consolidated view.
Optionally applies moving average smoothing to aggregated MACD and Signal Line values for better clarity.
 Position Identification 
Determines the trading position (Long, Short, or Neutral) based on the relationship between MACD and Signal Line.
Considers the proximity of MACD and Signal Line to identify potential trading opportunities.
 Visual Representation 
Plots MACD and Signal Line on the price chart for visual analysis.
Utilizes color-coded backgrounds to indicate trading conditions (Long, Short, or Neutral) for quick interpretation.
 Dynamic Table Display 
Displays trading position alongside graphical indicators (rocket for Long, snowflake for Short, and star for Neutral) in a customizable table.
Offers flexibility in table placement and size for user preference.
 How to Use 
 Parameter Configuration 
Adjust parameters like fast length, slow length, and signal smoothing to fine-tune MACD calculations.
Select desired timeframes for analysis based on trading preferences and market conditions.
 Interpretation 
Monitor the relationship between MACD and Signal Line on the price chart.
Pay attention to color-coded backgrounds and graphical indicators in the table for actionable insights.
 Decision Making 
Consider entering Long positions when MACD is above the Signal Line and vice versa for Short positions.
Exercise caution during Neutral conditions, as there may be uncertainty in market direction.
 Risk Management 
Combine MTF MACD analysis with risk management strategies to optimize trade entries and exits.
Set stop-loss and take-profit levels based on individual risk tolerance and market conditions.
 Conclusion 
The Multi Timeframe Moving Average Convergence Divergence (MTF MACD) indicator offers a robust framework for traders to analyze market trends across multiple timeframes efficiently. By combining MACD insights from various time horizons and presenting them in a clear and actionable format, it empowers traders to make informed decisions and enhance their trading strategies.
 Disclaimer 
The Multi Timeframe Moving Average Convergence Divergence (MTF MACD) indicator provided here is intended for educational and informational purposes only. Trading in financial markets involves risk, and past performance is not indicative of future results. The use of this indicator does not guarantee profits or prevent losses.
Please be aware that trading decisions should be made based on your own analysis, risk tolerance, and financial situation. It is essential to conduct thorough research and seek advice from qualified financial professionals before engaging in any trading activity.
The MTF MACD indicator is a tool designed to assist traders in analyzing market trends and identifying potential trading opportunities. However, it is not a substitute for sound judgment and prudent risk management.
By using this indicator, you acknowledge that you are solely responsible for your trading decisions, and you agree to indemnify and hold harmless the developer and distributor of this indicator from any losses, damages, or liabilities arising from its use.
Trading in financial markets carries inherent risks, and you should only trade with capital that you can afford to lose. Exercise caution and discretion when implementing trading strategies, and consider seeking independent financial advice if necessary.
Multi-Timeframe Momentum Indicator [Ox_kali]The Multi-Timeframe Momentum Indicator   is a trend analysis tool designed to examine market momentum across various timeframes on a single chart. Utilizing the Relative Strength Index (RSI) to assess the market’s strength and direction, this indicator offers a multidimensional perspective on current trends, enriching technical analysis with a deeper understanding of price movements. Other oscillators, such as the MACD and StochRSI, will be integrated in future updates.
Regarding the operation with the RSI: when its value is below 50 for a given period, the trend is considered bearish. Conversely, a value above 50 indicates a bullish trend. The indicator goes beyond the isolated analysis of each period by calculating an average of the displayed trends, based on user preferences. This average, ranging from “Strong Down” to “Strong Up,” reflects the percentage of periods indicating a bullish or bearish trend, thus providing a precise overview of the overall market condition.
 Key Features: 
 Multi-Timeframe Analysis : Allows RSI analysis across multiple timeframes, offering an overview of market dynamics.
 Advanced Customization : Includes options to adjust the RSI period, the RSI trend threshold, and more.
 Color and Transparency Options : Offers color styles for bullish and bearish trends, as well as adjustable transparency levels for personalized visualization.
 Average Trend Display : Calculates and displays the average trend based on activated timeframes, providing a quick summary of the current market state.
 Flexible Table Positioning : Allows users to choose the indicator’s display location on the chart for seamless integration. 
 List of Parameters: 
 RSI Period : Defines the RSI period for calculation.
 RSI Up/Down Threshold: Threshold for determining bullish or bearish trends of the RSI.
 Table Position:  Location of the indicator’s display on the chart.
 Color Style : Selection of the color style for the indicator.
 Strong Down/Up Color (User) : Customization of colors for strong market movements.
 Table TF Transparency : Adjustment of the transparency level for the timeframe table.
 Show X Minute/Hour/Day/Week Trend : Activation of the RSI display for specific timeframes.
 Show AVG : Option to display or not the calculated average trend. 
the Multi-Timeframe Momentum Indicator  , stands as a comprehensive tool for market trend analysis across various timeframes, leveraging the RSI for in-depth market insights. With the promise of future updates including the integration of additional oscillators like the MACD and StochRSI, this indicator is set to offer even more robust analysis capabilities.
 Please note that the MTF-Momentum   is not a guarantee of future market performance and should be used in conjunction with proper risk management. Always ensure that you have a thorough understanding of the indicator’s methodology and its limitations before making any investment decisions. Additionally, past performance is not indicative of future results.
Backtest any Indicator v5Happy Trade, 
here you get the opportunity to backtest any of your indicators like a strategy without converting them into a strategy. You can choose to go long or go short and detailed time filters. Further more you can set the take profit and stop loss, initial capital, quantity per trade and set the exchange fees. You get an overall result table and even a detailed, scroll-able table with all trades. In the Image 1 you see the provided info tables about all Trades and the Result Summary. Further more every trade is marked by a background color, Labels and Levels. An opening Label with the trade direction and trade number. A closing Label again with the trade number, the trades profit in % and the total amount of $ after all past trades. A green line for the take profit level and a red line for the stop loss.
  
Image 1
 Example 
For this description we choose the Stochastic RSI indicator from TradingView as it is. In Image 2 is shown the performance of it with decent settings.  
Timeframe=45, BTCUSD, 2023-08-01 - 2023-10-20
Stoch RSI: k=30, d=40, RSI-length=140,  stoch-length=140
Backtest any Indicator: input signal=Stoch RSI, goLong, take profit=9.1%, stop loss=2.5%, start capital=1000$, qty=5%, fee=0.1%, no Session Filter
  
Image 2
 Usage 
 1)  You need to know the name of the boolean (or integer) variable of your indicator which hold the buy condition. Lets say that this boolean variable is called BUY. If this BUY variable is not plotted on the chart you simply add the following code line at the end of your pine script.
For boolean (true/false) BUY variables use this:
        plot(BUY ? 1:0,'Your buy condition hold in that variable BUY',display = display.data_window) 
And in case your script's BUY variable is an integer or float then use instate the following code line:
        plot(BUY ,'Your buy condition hold in that variable BUY',display = display.data_window) 
 2)  Probably the name of this BUY variable in your indicator is not BUY. Simply replace in the code line above the BUY with the name of your script's trade condition variable. 
 3)  Save your changed Indicator script.
 4)  Then add this 'Backtest any Indicator' script to the chart ...
 5)  and go to the settings of it. Choose under "Settings -> Buy Signal" your Indicator. So in the example above choose . 
The form is usually: ' : BUY'. Then you see something like Image 2
 6)  Decide which trade direction the BUY signal should trigger. A go Long or a go Short by set the hook or not.
Now you have a backtest of your Indicator without converting it into a strategy. You may change the setting of your Indicator to the best results and setup the following strategy settings like Time- and Session Filter, Stop Loss, Take Profit etc. More of it below in the section Settings Menu.
 Appereance 
In the  Image 2  you see on the right side the  List of Trades . To scroll down you go into the settings again and decrease the scroll value. So you can see all trades that have happened before. In case there is an open trade you will find it at the last position of the list.
Every Long trade is green back grounded while Short trades are red. 
Every trade begins with a label that show goLong or goShort and its number. And ends with another label again with its number, Profit in % and the resulting total amount of cash.
If activated you further see the  Take Profit  as a green line and the  Stop Loss  as a orange line. In the settings you can set their percentage above or below the entry price. 
You also see the  Result Summary  below. Here you find the usual stats of a strategy of all closed trades. The profit after total amount of  fees , amount of trades, Profit Factor and the total amount of  fees .
 Settings Menu 
In the settings menu you will find the following high-lighted sections. Most of the settings have a question mark on their right side. Move over it with the cursor to read specific explanation.
 Input Signal of your Indicator:  Under  Buy   you set the trade signal of your Indicator. And under  Target   you set the value when a trade should happen. In the Example with the Stochastic RSI above we used 20. Below you can set the trade direction, let it be go short when hooked or go long when unhooked.
 Trade Settings & List of Trades:  Take Profit set the target price of any trade. Stop Loss set the price to step out when a trade goes the wrong direction. Check mark the  List of Trades  to see any single trade with their stats. In case that there are more trades as fits in the list you can scroll down the list by decrease the value  Scroll .
 Time Filter:  You can set a  Start Time  or deactivate it by leave it unhooked. The same with  End Time . 
 Session Filter:  here you can choose to activate it on weekly base. Which days of the week should be trading and those without. And also on daily base from which time on and until trade are possible. Outside of all times and sessions there will be no new trades if activated.
 Invest Settings:  here you can choose the amount of cash to start with. The  Quantity  percentage define for every trade how much of the cash should be invested and the  Fee  percentage which have to be payed every trade. Open position and closing position.
 Other Announcements 
This Backtest script don't use the strategy functions of TradingView. It is programmed as an indicator. All trades get executed at candle closing. This script use the functionality "Indicator-on-Indicator" from TradingView.
 Conclusion 
So now it is your turn, take your promising indicators and connect it to that Backtest script. With it you get a fast impression of how successful your indicator will trade. You don't have to relay on coders who maybe add cheating code lines. Further more you can check with the  Time Filter  under which market condition you indicator perform the best or not so well. Also with the  Session Filter  you can sort out repeating good market conditions for your indicator. Even you can check with the  GoShort XOR GoLong  check mark the trade signals of you indicator in opposite trade direction with one click. And compare your indicators under the same conditions and get the results just after 2 clicks. Thanks to the in-build fee setting you get an impression how much a 0.1% fee cost you in total. 
Cheers
Bitcoin ETF Tracker (BET)Get all the information you need about all the different Bitcoin ETFs. 
With the Bitcoin ETF Tracker, you can observe all possible Bitcoin ETF data:
 
  The ETF name.
  The ticker.
  The price.
  The volume.
  The share of total ETF volume.
  The ETF fees.
  The exchange and custodian.
 
At the bottom of the table, you'll find the day's total volume.
In addition, you can see the volume for the different Exchanges, as well as for the different Custodians.
If you don't want to display these lines to save space, you can uncheck "Show Additional Data" in the indicator settings.
 The Idea 
The goal is to provide the community with a tool for tracking all Bitcoin ETF data in a synthesized way, directly in your TradingView chart.
 How to Use 
Simply read the information in the table. You can hover above the Fees and Exchanges cells for more details.
The table takes space on the chart, you can remove the extra lines by unchecking "Show Additional Data" in the indicator settings or reduce text size by changing the "Table Text Size" parameter.
 Upcoming Features 
As soon as we have a little more history, we'll add variation rates as well as plots to observe the breakdown between the various Exchanges and Custodians.
GOLD MonitorI'm using this platform from sometime and I carry out trading on Gold, using a kind of scalping strategy.
Scalping is not an easy task to do. Personally I found a lot of problems while detecting the trend direction.
So I decided to develop an indicator that is capable, in a discrete way, to give an instant-view on the market that is interesting.
This indicator can summarize in a small table all interesting figures related to gold scalping trading and is useful while joined with technical and fundamental analysis.
In this way it is possible to easy take under control all important aspects related to gold trading that I summarize here and you can find inside the table:
1) Gold / USD current direction
2) USD dollar strength (instant DXY) indicator take under consideration the DXY value every each tick and measures the increase or decrease in percentage. If there is a decrease the indicator displays a red low arrow, if there is an increase the indicator displays a green high arrow
also Gold friends are important so it is possible to find also:
3) NZDUSD (that is a Gold friend) variation percentage. If there is a decrease the indicator displays a red low arrow, if there is an increase the indicator displays a green high arrow
4) AUDUSD (that is a Gold friend) variation percentage. If there is a decrease the indicator displays a red low arrow, if there is an increase the indicator displays a green high arrow
then it is possible to find DXY USD dollar strength calculated between previous period (e.g. in timeframe M5 last 5 minutes) and current period (current 5 minutes). This indication is represented by an high arrow if there has been an increase, or by an low arrow if there has been a decrease.
Last but not least the information about the Gold trend itself with the possible forecast for the current period. This information must be carefully interpreted together with other instruments for technical analysis like Fibonacci lines.
Harmonic Trend Fusion [kikfraben]📈 Harmonic Trend Fusion - Your Personal Trading Assistant 
This versatile tool combines multiple indicators to provide a holistic view of market trends and potential signals.
 🚀 Key Features: 
 
 Multi-Indicator Synergy:  Benefit from the combined insights of Aroon, DMI, MACD, Parabolic SAR, RSI, Supertrend, and SMI Ergodic Oscillator, all in one powerful indicator.
 Customizable Plot Options:  Tailor your chart by choosing which signals to visualize. Whether you're interested in trendlines, histograms, or specific indicators, the choice is yours.
 Color-Coded Trends:  Quickly identify bullish and bearish trends with the color-coded visualizations. Stay ahead of market movements with clear and intuitive signals.
 Table Display:  Stay informed at a glance with the interactive table. It dynamically updates to reflect the current market sentiment, providing you with key information and trend direction.
 Precision Control:  Fine-tune your analysis with precision control over indicator parameters. Adjust lengths, colors, and other settings to align with your unique trading strategy.
 
 🛠️ How to Use: 
 
 Customize Your View:  Select which indicators to display and adjust plot options to suit your preferences.
 Table Insights:  Monitor the dynamic table for real-time updates on market sentiment and trend direction.
 Indicator Parameters:  Experiment with different lengths and settings to find the combination that aligns with your trading style.
 
Whether you're a seasoned trader or just starting, Harmonic Trend Fusion equips you with the tools you need to navigate the markets confidently. Take control of your trading journey and enhance your decision-making process with this comprehensive trading assistant.
Quantitative Risk Navigator [kikfraben]📊 Quantitative Risk Navigator   - Your Financial Performance GPS 
Navigate the complexities of financial markets with confidence using the Quantitative Risk Navigator. This indicator provides you with a comprehensive dashboard to assess and understand the risk and performance of your chosen asset.
 📈 Key Features: 
 
 Alpha and Beta Analysis:  Uncover the outperformance (Alpha) and risk exposure (Beta) of your asset compared to a selected benchmark. Know where your investment stands in the market.
 Correlation Insights:  Understand the relationship between your asset and its benchmark through a clear visualization of correlation trends over different time lengths.
 Risk-Return Metrics:  Evaluate risk and return simultaneously with Sharpe and Sortino ratios. Make informed decisions by assessing the reward-to-risk ratio of your investment.
 Omega Ratio:  Gain deeper insights into your asset's performance by analyzing the Omega Ratio, which highlights the distribution of positive and negative returns.
 Customizable Visualization:  Tailor your chart to focus on specific metrics and time frames. Choose which metrics to display, allowing you to concentrate on the aspects that matter most to you.
 Interactive Metrics Table:  A user-friendly metrics table provides a quick overview of key values, including average metrics, enabling you to grasp the financial health of your asset at a glance.
 Color-Coded Clarity:  The indicator employs color-coded visualizations, making it easy to identify bullish and bearish trends, helping you make rapid and informed decisions.
 
 🛠️ How to Use: 
 
 Symbol Selection:  Choose your base symbol and preferred data source for analysis.
 Risk-Free Rate:  Input your risk-free rate to fine-tune calculations.
 Length Customization:  Adjust the lengths for different metrics to align with your analysis preferences.  
Whether you're a seasoned trader or just stepping into the financial world, the Quantitative Risk Navigator empowers you to make strategic decisions by providing a comprehensive view of your asset's risk and return profile. Stay in control of your investments with this powerful financial GPS.
 🚀 Start Navigating Your Financial Journey Today!
Global Leaders M2Introducing the  Global Leaders M2  Indicator
The  Global Leaders M2  indicator is a comprehensive tool designed to provide you with crucial insights into the money supply (M2) of the world's top 10 economic powerhouses. This powerful indicator offers a wealth of information to help you make informed decisions in the financial markets.
Key Features:
 Multi-Country M2 Data:  Access M2 data for the world's top 10 economic leaders, including China, the United States, Japan, Germany, the United Kingdom, France, Italy, Canada, Russia, and India.
 Rate of Change Analysis:  Understand the rate of change in M2 data for each country and the overall global aggregate, allowing you to gauge the momentum of monetary supply.
 Customizable Display:  Tailor your chart to display the data of specific countries, or focus on the total global M2 value based on your preferences.
 Currency Selection:  Choose your preferred currency for displaying the M2 data, making it easier to work with data in your currency of choice.
 Interactive Overview Table:  Get an overview of M2 data for each country and the global total in an interactive table, complete with color-coded indicators to help you quickly spot trends.
 Precision and Clarity:  The indicator provides precision to two decimal places and uses color coding to differentiate between positive and negative rate of change.
Whether you're a seasoned investor or a newcomer to the world of finance, the  Global Leaders M2  indicator equips you with valuable data and insights to guide your financial decisions. Stay on top of global monetary supply trends, and trade with confidence using this user-friendly and informative tool.
SML SuiteIntroducing the "SML Suite" Indicator 
The  "SML Suite"  is a powerful and easy-to-use trading indicator designed to help traders make informed decisions in the world of financial markets. Whether you're a seasoned trader or a novice, this indicator is your trusty sidekick for evaluating market trends.
 Key Features: 
 Three Moving Averages:  The indicator employs three different moving averages, each with a distinct length, allowing you to adapt to various market conditions.
 Customizable Parameters:  You can easily customize the moving average lengths and source data to tailor the indicator to your specific trading strategy.
 Standard Deviation Multiplier:  Adjust the standard deviation multiplier to fine-tune the indicator's sensitivity to market fluctuations.
 Binary Results:  The indicator provides clear binary signals (1 or -1) based on whether the current price is above or below certain bands. This simplifies your decision-making process.
 SML Calculation:  The SML (Short, Medium, Long) calculation is a smart combination of the binary results, offering you an overall sentiment about the market.
 Color-Coded Visualization:  Visualize market sentiment with color-coded bars, making it easy to spot trends at a glance.
 Interactive Table:  A table is displayed on your chart, giving you a quick overview of the binary results and the overall SML sentiment.
With the "SML Suite" indicator, you don't need to be a coding expert to harness the power of technical analysis. Stay ahead of the game and enhance your trading strategy with this user-friendly tool. Make your trading decisions with confidence and clarity, backed by the insights provided by the "SML Suite" indicator.
Euclidean Distance Predictive Candles [SS]Finally releasing this, its been in the works for the past 2 weeks and has undergone many iterations.
I am not sure if I am 100% happy with it yet, but I guess its best to release and get feedback to make improvements.
So this is the Euclidean distance predictive candle indicator and what it does is exactly what it sounds like, it uses Euclidean distance to identify similar candles and then plot the candles and range that immediately proceeded like candles. 
While this is using a general machine learning/data science approach (Euclidean distance), I do not employ the KNN (Nearest Neighbors) algo into this. The reason being is it simply offered no predictive advantage than isolating for the last case. I tried it, I didn't like it, the results were not improve and, at times, acutally hindered so I ditched it. Perhaps it was my approach but using some other KNN indicators, I just don't really find them all that more advantageous to simply relying on the Law of Large Numbers and collecting more data rather than less data (which we will get into later in this explanation).
So using this indicator: 
There is a lot of customizability here. And the reason is, not all settings are going to work the same for all tickers. To help you narrow down your parameters, I have included various backtest results that show you how the model is performing. You see in the AMZN chart above, with the current settings, it is performing optimally, with a cumulative range pass of 99% (meaning that, of all the cases, the indicator accurately predicted the next day high OR low range 99% of the time), and the ability to predict the candle slightly over 52%. 
The recommended settings, from me, are as follows:
So these are generally my recommended settings.
 Euclidian Tolerance:  This will determine the parameters to look for similar candles. In general, the lower the tolerance, the greater the precision.  I recommend keeping it between 0.5, for tickers with larger prices (like ES1! futures or NQ1!) or 0.05 for tickers with lower TPs, like SPY or QQQ. 
If the ED Tolerance is too extreme that the indicator cannot find identical setups, it will alert you:
But in general, the more precise you can get it, the better. 
 Anchor Type:   You will see the option to anchor by "Predicted Open" or by "Previous Close". I suggest sticking with anchoring by predicted open. All this means is, it is going to anchor your range, candle, high and low targets by the predicted open price. Anchoring by previous close will anchor by the close of yesterday. Both work okay, but in general the results from anchoring to predicted open have higher pass rates and more accurately depict the candle. 
 Euclidean Distance Measurement Type:    You can choose to measure by candle body or from high to low wicks. I haven't played around with measuring from high to low wicks all that much, because candle body tends to do the job. But remember, ED is a neutral measurement. Which means, its not going to distinguish between a red or green candle, just the formation of the candle. Thus, I tend to recommend, pragmatically, not to necessarily rely on the candle being red or green, but one the formation of the candle (where are the wicks going, are there more bearish wicks or bullish wicks) etc. Examples will follow. 
 Range Prediction Type:   You can filter the range prediction type by last instance (in which, it will pull the previous identical candle and plot the next candle that followed it, adjusted for the current ranges) or "Average of All Cases". So this is where we need to talk a little bit about the law of large numbers.
In general, in statistics, when you have a huge amount of random data, the law of large numbers stipulates that, within this randomness should be repeated events. This is why sometimes chart patterns work, sometimes they don't. When we filter by the average of all cases, we are relying on the law of large numbers. In general, if you are getting good Backtest readings from Last Instance, then you don't need to use this function. But it provides an alternative insight into potential candle formations next day. Its not a bad idea to compare between the two and look for similarities and differences. 
So now that we have covered the boring details, let's get into how to use the indicator and some examples. 
So the indicator is plotting the range and candle for the next day. As such, we are not looking at the current candle being plotted, but we are looking at the previous candle (see image below for example):
The green arrow shows the prediction for Friday, along with the corresponding result. The purple arrow shows the prediction for Monday which we have yet to realize.
So remember when you are using this, you need to look at the previous candle, and not the candle that it is currently plotting with realtime data, because it is plotting for the next candle. 
If you are plotting by last instance, the indicator will tell you which day it is pulling its data from if you have opted to toggle on the demographic data:
You can see the green arrow pointing to the date where it is pulling from. This data serves as the example candle with the candle proceeding this date being the anchored candle (or the predicted candle). 
 Price Targets and Probability: 
In the chart, you can see the green arrow pointing to the green portion of the table. In this table, it will give you the current TPs. These represent the current time target price, which means, the TPs shown here are for Friday. On Monday, the table will update with the TPs for Monday, etc. If you want to view the TPs in advance, you can view them from the actual candle itself. 
Below the TPs, you see a bullish 7:6. It means, in a total of 13 cases, the next candle was bullish 7 times and bearish 6 times. Where do we see the number of cases? In the demographic table as well:
Auxiliary functions 
Because you are using the previous candle, if you want to avoid confusion, you can have the indicator plot the price targets over the predicted candle, to anchor your attention so to speak. Simply select "Label" in the "Show Price Targets" section, which will look like this:
You can also ask the indicator to plot the demographic data of Higher High, Low, etc. information. What this does is simply looks at all the cases and plots how many times higher highs, lows, lower lows, highs etc. were made:
This will just count all of the cases identified and plot the number of times higher highs, lows, etc. were made. 
Concluding Remarks 
This is a kind of complex indicator and I can appreciate it may take some getting used to.
I will try to post a tutorial video at some point next week for it, so stay tuned for that.
But this isn't designed to make your life more complicated, just to help give you insights into potential outcomes for the next day or hour or 5 minute (it can be used on all timeframes). 
If you find it helpful, great! If not, that's okay, too :-).
Please be aware, this is not my forte of indicators. I am not a data scientist or programmer. My background is in Epi and we don't use these types of data science approaches, so if you have any suggestions or critiques, feel free to share them below. 
Otherwise, I hope you enjoy!
Take care everyone and safe trades! 
 






















