High/Low Location Frequency [LuxAlgo]The High/Low Location Frequency tool provides users with probabilities of tops and bottoms at user-defined periods, along with advanced filters that offer deep and objective market information about the likelihood of a top or bottom in the market.
🔶 USAGE
There are four different time periods that traders can select for analysis of probabilities:
HOUR OF DAY: Probability of occurrence of top and bottom prices for each hour of the day
DAY OF WEEK: Probability of occurrence of top and bottom prices for each day of the week
DAY OF MONTH: Probability of occurrence of top and bottom prices for each day of the month
MONTH OF YEAR: Probability of occurrence of top and bottom prices for each month
The data is displayed as a dashboard, which users can position according to their preferences. The dashboard includes useful information in the header, such as the number of periods and the date from which the data is gathered. Additionally, users can enable active filters to customize their view. The probabilities are displayed in one, two, or three columns, depending on the number of elements.
🔹 Advanced Filters
Advanced Filters allow traders to exclude specific data from the results. They can choose to use none or all filters simultaneously, inputting a list of numbers separated by spaces or commas. However, it is not possible to use both separators on the same filter.
The tool is equipped with five advanced filters:
HOURS OF DAY: The permitted range is from 0 to 23.
DAYS OF WEEK: The permitted range is from 1 to 7.
DAYS OF MONTH: The permitted range is from 1 to 31.
MONTHS: The permitted range is from 1 to 12.
YEARS: The permitted range is from 1000 to 2999.
It should be noted that the DAYS OF WEEK advanced filter has been designed for use with tickers that trade every day, such as those trading in the crypto market. In such cases, the numbers displayed will range from 1 (Sunday) to 7 (Saturday). Conversely, for tickers that do not trade over the weekend, the numbers will range from 1 (Monday) to 5 (Friday).
To illustrate the application of this filter, we will exclude results for Mondays and Tuesdays, the first five days of each month, January and February, and the years 2020, 2021, and 2022. Let us review the results:
DAYS OF WEEK: `2,3` or `2 3` (for crypto) or `1,2` or `1 2` (for the rest)
DAYS OF MONTH: `1,2,3,4,5` or `1 2 3 4 5`
MONTHS: `1,2` or `1 2`
YEARS: `2020,2021,2022` or `2020 2021 2022`
🔹 High Probability Lines
The tool enables traders to identify the next period with the highest probability of a top (red) and/or bottom (green) on the chart, marked with two horizontal lines indicating the location of these periods.
🔹 Top/Bottom Labels and Periods Highlight
The tool is capable of indicating on the chart the upper and lower limits of each selected period, as well as the commencement of each new period, thus providing traders with a convenient reference point.
🔶 SETTINGS
Period: Select how many bars (hours, days, or months) will be used to gather data from, max value as default.
Execution Window: Select how many bars (hours, days, or months) will be used to gather data from
🔹 Advanced Filters
Hours of day: Filter which hours of the day are excluded from the data, it accepts a list of hours from 0 to 23 separated by commas or spaces, users can not mix commas or spaces as a separator, must choose one
Days of week: Filter which days of the week are excluded from the data, it accepts a list of days from 1 to 5 for tickers not trading weekends, or from 1 to 7 for tickers trading all week, users can choose between commas or spaces as a separator, but can not mix them on the same filter.
Days of month: Filter which days of the month are excluded from the data, it accepts a list of days from 1 to 31, users can choose between commas or spaces as separator, but can not mix them on the same filter.
Months: Filter months to exclude from data. Accepts months from 1 to 12. Choose one separator: comma or space.
Years: Filter years to exclude from data. Accepts years from 1000 to 2999. Choose one separator: comma or space.
🔹 Dashboard
Dashboard Location: Select both the vertical and horizontal parameters for the desired location of the dashboard.
Dashboard Size: Select size for dashboard.
🔹 Style
High Probability Top Line: Enable/disable `High Probability Top` vertical line and choose color
High Probability Bottom Line: Enable/disable `High Probability Bottom` vertical line and choose color
Top Label: Enable/disable period top labels, choose color and size.
Bottom Label: Enable/disable period bottom labels, choose color and size.
Highlight Period Changes: Enable/disable vertical highlight at start of period
Penunjuk dan strategi
FTMO Rules MonitorFTMO Rules Monitor: Stay on Track with Your FTMO Challenge Goals
TLDR; You can test with this template whether your strategy for one asset would pass the FTMO challenges step 1 then step 2, then with real money conditions.
Passing a prop firm challenge is ... challenging.
I believe a toolkit allowing to test in minutes whether a strategy would have passed a prop firm challenge in the past could be very powerful.
The FTMO Rules Monitor is designed to help you stay within FTMO’s strict risk management guidelines directly on your chart. Whether you’re aiming for the $10,000 or the $200,000 account challenge, this tool provides real-time tracking of your performance against FTMO’s rules to ensure you don’t accidentally breach any limits.
NOTES
The connected indicator for this post doesn't matter.
It's just a dummy double supertrends (see below)
The strategy results for this script post does not matter as I'm posting a FTMO rules template on which you can connect any indicator/strategy.
//@version=5
indicator("Supertrends", overlay=true)
// Supertrend 1 Parameters
var string ST1 = "Supertrend 1 Settings"
st1_atrPeriod = input.int(10, "ATR Period", minval=1, maxval=50, group=ST1)
st1_factor = input.float(2, "Factor", minval=0.5, maxval=10, step=0.5, group=ST1)
// Supertrend 2 Parameters
var string ST2 = "Supertrend 2 Settings"
st2_atrPeriod = input.int(14, "ATR Period", minval=1, maxval=50, group=ST2)
st2_factor = input.float(3, "Factor", minval=0.5, maxval=10, step=0.5, group=ST2)
// Calculate Supertrends
= ta.supertrend(st1_factor, st1_atrPeriod)
= ta.supertrend(st2_factor, st2_atrPeriod)
// Entry conditions
longCondition = direction1 == -1 and direction2 == -1 and direction1 == 1
shortCondition = direction1 == 1 and direction2 == 1 and direction1 == -1
// Optional: Plot Supertrends
plot(supertrend1, "Supertrend 1", color = direction1 == -1 ? color.green : color.red, linewidth=3)
plot(supertrend2, "Supertrend 2", color = direction2 == -1 ? color.lime : color.maroon, linewidth=3)
plotshape(series=longCondition, location=location.belowbar, color=color.green, style=shape.triangleup, title="Long")
plotshape(series=shortCondition, location=location.abovebar, color=color.red, style=shape.triangledown, title="Short")
signal = longCondition ? 1 : shortCondition ? -1 : na
plot(signal, "Signal", display = display.data_window)
To connect your indicator to this FTMO rules monitor template, please update it as follow
Create a signal variable to store 1 for the long/buy signal or -1 for the short/sell signal
Plot it in the display.data_window panel so that it doesn't clutter your chart
signal = longCondition ? 1 : shortCondition ? -1 : na
plot(signal, "Signal", display = display.data_window)
In the FTMO Rules Monitor template, I'm capturing this external signal with this input.source variable
entry_connector = input.source(close, "Entry Connector", group="Entry Connector")
longCondition = entry_connector == 1
shortCondition = entry_connector == -1
🔶 USAGE
This indicator displays essential FTMO Challenge rules and tracks your progress toward meeting each one. Here’s what’s monitored:
Max Daily Loss
• 10k Account: $500
• 25k Account: $1,250
• 50k Account: $2,500
• 100k Account: $5,000
• 200k Account: $10,000
Max Total Loss
• 10k Account: $1,000
• 25k Account: $2,500
• 50k Account: $5,000
• 100k Account: $10,000
• 200k Account: $20,000
Profit Target
• 10k Account: $1,000
• 25k Account: $2,500
• 50k Account: $5,000
• 100k Account: $10,000
• 200k Account: $20,000
Minimum Trading Days: 4 consecutive days for all account sizes
🔹 Key Features
1. Real-Time Compliance Check
The FTMO Rules Monitor keeps track of your daily and total losses, profit targets, and trading days. Each metric updates in real-time, giving you peace of mind that you’re within FTMO’s rules.
2. Color-Coded Visual Feedback
Each rule’s status is shown clearly with a ✓ for compliance or ✗ if the limit is breached. When a rule is broken, the indicator highlights it in red, so there’s no confusion.
3. Completion Notification
Once all FTMO requirements are met, the indicator closes all open positions and displays a celebratory message on your chart, letting you know you’ve successfully completed the challenge.
4. Easy-to-Read Table
A table on your chart provides an overview of each rule, your target, current performance, and whether you’re meeting each goal. The table adjusts its color scheme based on your chart settings for optimal visibility.
5. Dynamic Position Sizing
Integrated ATR-based position sizing helps you manage risk and avoid large drawdowns, ensuring each trade aligns with FTMO’s risk management principles.
Daveatt
Dynamic Period Candle Multi time frame (Accurate Highs and Lows)This indicator gives a dynamic history of the current price as a candle with optional lines on the chart, so that you can assess the current trend. I found lots of indicators that looked at the previous xx time period candle, but they then immediately switched to the new xx time candle when it started to be formed. this indicator looks back at the rolling previous time period. By putting a few of these on the chart, you can clearly see how price has been behaving over time.
I initially published an earlier version of this as 'Dynamic 4-Hour Candle (Accurate Highs and Lows)', but this new and improved version has superseded that.
SVMKR Multi Pro Indicators : UT, HMA, ORB, EMA, VIX and VWAPThis custom Pine Script™ indicator is a powerful composite of several popular trading tools, designed to provide valuable insights and signal generation for traders. It combines multiple indicators including UT Bot, Hull Moving Average, Open Range Breakout, EMA (50 & 21), VIX-based support/resistance levels, and different timeframe VWAP to guide traders in making informed trading decisions.
Key Features:
UT Bot: Delivers buy and sell signals, ideal for confirmation when used with other tools or Price Action strategies.
Hull Moving Average (HMA): Helps identify trend changes with its fast and smooth moving average.
Open Range Breakout (ORB): Highlights market stability around 10:10 AM IST, providing buy/sell signals based on price action.
EMA (50 & 21): Guides trade direction with moving average crossovers, helping traders make better entry/exit decisions.
VIX-based Levels: Calculates key support/resistance levels using previous day’s close and the VIX, giving further context for trade decisions.
VWAP for Multiple Timeframes: Includes VWAP levels for daily, weekly, and monthly timeframes to assist in gauging market sentiment.
Important Usage Notes:
This indicator is ideal for those looking for a consolidated view of various strategies in one tool.
It is recommended to combine the indicator with your own research, as no tool guarantees success.
Beginners may want to disable some of the features like the UT Buy/Sell signals or Hull MA to avoid confusion and better focus on understanding market behavior.
By using this indicator, you gain access to multiple strategies in one place, simplifying your trading decisions and enhancing your chart analysis experience.
Pulse DPO: Major Cycle Tops and Bottoms█ OVERVIEW
Pulse DPO is an oscillator designed to highlight Major Cycle Tops and Bottoms .
It works on any market driven by cycles. It operates by removing the short-term noise from the price action and focuses on the market's cyclical nature.
This indicator uses a Normalized version of the Detrended Price Oscillator (DPO) on a 0-100 scale, making it easier to identify major tops and bottoms.
Credit: The DPO was first developed by William Blau in 1991.
█ HOW TO READ IT
Pulse DPO oscillates in the range between 0 and 100. A value in the upper section signals an OverBought (OB) condition, while a value in the lower section signals an OverSold (OS) condition.
Generally, the triggering of OB and OS conditions don't necessarily translate into swing tops and bottoms, but rather suggest caution on approaching a market that might be overextended.
Nevertheless, this indicator has been customized to trigger the signal only during remarkable top and bottom events.
I suggest using it on the Daily Time Frame , but you're free to experiment with this indicator on other time frames.
The indicator has Built-in Alerts to signal the crossing of the Thresholds. Please don't act on an isolated signal, but rather integrate it to work in conjunction with the indicators present in your Trading Plan.
█ OB SIGNAL ON: ENTERING OVERBOUGHT CONDITION
When Pulse DPO crosses Above the Top Threshold it Triggers ON the OB signal. At this point the oscillator line shifts to OB color.
When Pulse DPO enters the OB Zone, please beware! In this Area the Major Players usually become Active Sellers to the Public. While the OB signal is On, it might be wise to Consider Selling a portion or the whole Long Position.
Please note that even though this indicator aims to focus on major tops and bottoms, a strong trending market might trigger the OB signal and stay with it for a long time. That's especially true on young markets and on bubble-mode markets.
█ OB SIGNAL OFF: EXITING OVERBOUGHT CONDITION
When Pulse DPO crosses Below the Top Threshold it Triggers OFF the OB signal. At this point the oscillator line shifts to its normal color.
When Pulse DPO exits the OB Zone, please beware because a Major Top might just have occurred. In this Area the Major Players usually become Aggressive Sellers. They might wind up any remaining Long Positions and Open new Short Positions.
This might be a good area to Open Shorts or to Close/Reverse any remaining Long Position. Whatever you choose to do, it's usually best to act quickly because the market is prone to enter into panic mode.
█ OS SIGNAL ON: ENTERING OVERSOLD CONDITION
When Pulse DPO crosses Below the Bottom Threshold it Triggers ON the OS signal. At this point the oscillator line shifts to OS color.
When Pulse DPO enters the OS Zone, please beware because in this Area the Major Players usually become Active Buyers accumulating Long Positions from the desperate Public.
While the OS signal is On, it might be wise to Consider becoming a Buyer or to implement a Dollar-Cost Averaging (DCA) Strategy to build a Long Position towards the next Cycle. In contrast to the tops, the OS state usually takes longer to resolve a major bottom.
█ OS SIGNAL OFF: EXITING OVERSOLD CONDITION
When Pulse DPO crosses Above the Bottom Threshold it Triggers OFF the OS signal. At this point the oscillator line shifts to its normal color.
When Pulse DPO exits the OS Zone, please beware because a Major Bottom might already be in place. In this Area the Major Players become Aggresive Buyers. They might wind up any remaining Short Positions and Open new Long Positions.
This might be a good area to Open Longs or to Close/Reverse any remaining Short Positions.
█ WHY WOULD YOU BE INTERESTED IN THIS INDICATOR?
This indicator is built over a solid foundation capable of signaling Major Cycle Tops and Bottoms across many markets. Let's see some examples:
Early Bitcoin Years: From 0 to 1242
This chart is in logarithmic mode in order to properly display various exponential cycles. Pulse DPO is properly signaling the major early highs from 9-Jun-2011 at 31.50, to the next one on 9-Apr-2013 at 240 and the epic top from 29-Nov-2013 at 1242.
Due to the massive price movements, the OB condition stays pinned during most of the exponential price action. But as you can see, the OB condition quickly vanishes once the Cycle Top has been reached. As the market matures, the OB condition becomes more exceptional and triggers much closer from the Cycle Top.
With regards to Cycle Bottoms, the early bottom of 2 after having peaked at 31.50 doesn’t get captured by the indicator. That is the only cycle bottom that escapes the Pulse DPO when the bottom threshold is set at a value of 5. In that event, the oscillator low reached 6.95.
Bitcoin Adoption Spreading: From 257 to 73k
This chart is in logarithmic mode in order to properly display various exponential cycles. Pulse DPO is properly signaling all the major highs from 17-Dec-2017 at 19k, to the next one on 14-Apr-2021 at 64k and the most recent top from 9-Nov-2021 at 68k.
During the massive run of 2017, the OB condition still stayed triggered for a few weeks on each swing top. But on the next cycles it started to signal only for a few days before each swing top actually happened. The OB condition during the last cycle top triggered only for 3 days. Therefore the signal grows in focus as the market matures.
At the time of publishing this indicator, Bitcoin printed a new All Time High (ATH) on 13-Mar-2024 at 73k. That run didn’t trigger the OB condition. Therefore, if the indicator is correct the Bitcoin market still has some way to grow during the next months.
With regards to Cycle Bottoms, the bottom of 3k after having peaked at19k got captured within the wide OS zone. The bottom of 15k after having peaked at 68k got captured too within the OS accumulation area.
Gold
Pulse DPO behaves surprisingly well on a long standing market such as Gold. Moving back to the 197x years it’s been signaling most Cycle Tops and Bottoms with precision. During the last cycle, it shows topping at 2k and bottoming at 1.6k.
The current price action is signaling OB condition in the range of 2.5k to 2.7k. Looking at past cycles, it tends to trigger on and off at multiple swing tops until reaching the final cycle top. Therefore this might indicate the first wave within a potential gold run.
Oil
On the Oil market, we can see that most of the cycle tops and bottoms since the 80s got signaled. The only exception being the low from 2020 which didn’t trigger.
EURUSD
On Forex markets the Pulse DPO also behaves as expected. Looking back at EURUSD we can see the marketing triggering OB and OS conditions during major cycle tops and bottoms from recent times until the 80s.
S&P 500
On the S&P 500 the Pulse DPO catched the lows from 2016 and 2020. Looking at present price action, the recent ATH didn’t trigger the OB condition. Therefore, the indicator is allowing room for another leg up during the next months.
Amazon
On the Amazon chart the Pulse DPO is mirroring pretty accurately the major swings. Scrolling back to the early 2000s, this chart resembles early exponential swings in the crypto space.
Tesla
Moving onto a younger tech stock, Pulse DPO captures pretty accurately the major tops and bottoms. The chart is shown in logarithmic scale to better display the magnitude of the moves.
█ SETTINGS
This indicator is ideal for identifying major market turning points while filtering out short-term noise. You are free to adjust the parameters to align with your preferred trading style.
Parameters : This section allows you to customize any of the Parameters that shape the Oscillator.
Oscillator Length: Defines the period for calculating the Oscillator.
Offset: Shifts the oscillator calculation by a certain number of periods, which is typically half the Oscillator Length.
Lookback Period: Specifies how many bars to look back to find tops and bottoms for normalization.
Smoothing Length: Determines the length of the moving average used to smooth the oscillator.
Thresholds : This section allows you to customize the Thresholds that trigger the OB and OS conditions.
Top: Defines the value of the Top Threshold.
Bottom: Defines the value of the Bottom Threshold.
Vexly_ML_levelsProvide a number into each box (start), (middle), (end)
this is for a buy zone, mid zone, sell zone.
This is mainly geared towards futures and is just a box drawing script.
There is no inherent alpha in this.
We use this to draw our own levels.
RV - RSI & MACD Dynamic Tracker Importance:
The RV - RSI & MACD Dynamic Tracker indicator combines the power of the Relative Strength Index (RSI) and the Moving Average Convergence Divergence (MACD) to give traders a comprehensive view of momentum and trend direction. By visualizing overbought and oversold levels, trend momentum, and customizable moving averages, this indicator serves as a robust tool for making informed trading decisions across various timeframes.
Benefits:
RSI Component:
Dynamic RSI Display: RSI values are visually color-coded to quickly indicate market conditions, such as overbought, oversold, bullish, or bearish trends.
Configurable Parameters: Allows users to adjust RSI length and the source of the RSI, offering flexibility to adapt to different market environments.
Customizable Moving Average (MA) Overlay: Users can select from five types of moving averages (SMA, EMA, SMMA, WMA, and VWMA) to smooth RSI values for a clearer trend signal. This helps in reducing noise and aligning with the user’s trading strategy.
Clear Zones for Market Conditions: Highlights overbought (above 80) and oversold (below 20) areas with different color bands, aiding traders in identifying high-probability reversal zones and confirming trade setups based on RSI levels.
MACD Component:
Flexible Moving Averages: Users can set the MACD’s Fast and Slow moving averages as either SMA or EMA, allowing for a customized view of momentum shifts.
Histogram Scaling: The MACD histogram is dynamically scaled to fit a 0-100 range, enabling easy comparison across different timeframes. This ensures the indicator remains informative without requiring parameter adjustments.
Visual Breakout Cues: The histogram color changes based on whether the MACD value is above or below the midline, signaling potential buy or sell momentum. This feature helps traders spot potential breakout or breakdown points with ease.
Configurable Signal Line: With options to adjust the smoothing length of the MACD’s signal line, traders can fine-tune the sensitivity of crossover points, helping them stay on top of emerging trends.
Enhanced Visual Representation:
Background Fill: The RSI background dynamically changes between the overbought and oversold zones, while the MACD histogram is filled with green for bullish momentum and red for bearish momentum. This color-coding offers a quick glance at trend direction and strength.
Mid-Line Reference: A central line (50) in the MACD histogram provides a clear point of reference for determining bullish or bearish momentum.
This indicator is ideal for traders seeking an effective combination of momentum (RSI) and trend (MACD) signals. By leveraging adjustable settings, traders can tailor the indicator to fit their unique trading styles, making it a valuable tool for intraday and swing trading setups on TradingView.
Stochastic Oscillator Buy/Sell Labels - ZeeAsylumThis custom indicator utilizes the Stochastic Oscillator to generate buy and sell signals based on specific level crossovers. The script identifies when the oscillator's value crosses certain thresholds:
Buy Signal: Occurs when the Stochastic Oscillator's %K value crosses above a lower threshold, indicating potential upward momentum.
Sell Signal: Triggered when the %K value crosses below an upper threshold, suggesting a potential reversal or overbought condition.
The BUY and SELL signals are visually represented on the chart as labels, with BUY appearing below the price bar and SELL above it. Additionally, the Stochastic Oscillator's %K is optionally plotted for visual reference, and key level lines (overbought and oversold) are displayed for clarity.
Precision Scalper: 1-Minute Trading StrategyThe Precision Scalper: 1-Minute Trading Strategy is designed for active traders looking to capitalize on short-term market movements in highly liquid markets. Utilizing a combination of Exponential Moving Averages (EMA), Relative Strength Index (RSI), and Average True Range (ATR), this strategy aims to identify high-probability entry and exit points with minimal lag.
Key Features:
Quick Entries and Exits: Tailored for 1-minute chart scalping, this strategy focuses on rapid trade execution, making it ideal for day traders.
Risk Management: Employs a robust risk-reward ratio of 1:2 to enhance profitability while managing potential losses effectively.
Dynamic Signals: Generates clear buy and sell signals directly on the chart, allowing traders to react quickly to market changes.
Visual Aids: The strategy includes visual representations of entry points, stop-loss, and take-profit levels, enhancing decision-making processes.
This scalping strategy is perfect for those who thrive in fast-paced trading environments and seek to improve their win rate by combining technical indicators with sound risk management practices. Whether trading futures, stocks, or forex, the Precision Scalper adapts to various instruments for optimal performance.
Cambist++ -Invincible3Cambist++ is the indicator used alongside RSI or William Alligator indicators. With RSI it is used to catch the reversal whereas with William Alligator indicator it is used to ride the trend.
This indicator identifies the (high/low) Pivots within the user defined length and label them according to Dow's theory. It also allows to plot ZigZag with distinct colors to identifies Higher High (HH), Higher Low (HL), Lower Low (LL) and Lower High (LH). These pivots are very useful in order to identify the trend.
With RSI
1. look for Bullish or Bearish divergence,
2. In case of bullish divergence, wait for the formation of red dot and the close of green Heikin Ashi candle to close and for bearish divergence, wait for the formation of green dot and the close of red Heikin Ashi candle to close.
More Sophisticated approach is to look for Bullish divergence at LLs and Bearish divergence at HHs.
With William Alligator
Scenario 1: Trending
1. Alligator mouth must be open
2. When the Heikin Ashi Candle regardless of color closes, above Alligator lips for bullish trend and for bearish trend Heikin Ashi Candle closes below the Alligator jaw.
Scenario 2: Non-trending
1. Alligator mouth must be close
2. Two consecutive green Heikin Candles closes above lips or two consecutive red Heikin Ashi candles closes below Alligator jaw.
Enhanced AI Regression with EMA 200 [Enver Trader]yeni nesil trade indikatörü içinde market krılımları sucr mevcut ema 200 ve banttan oluşmaktadır indikatör en verimli kısa zaman dilimlerinde çalışmaktadır 5 dakikalık ve bir dakikalık zaman dilimlerinde etkili sonuçlar verecek bir çalışma içinde 1 dakika 5 dakika 15 daaki ka 30 daki ka gibi grafiklerde hizmetin long yada short pozisyonunda olduğunu göstermektedir trade ederken size yardımcı olacağına inanıyorum
BPR_FVG [CDZV]The BPR_FVG indicator identifies and visualizes Breaker Pattern Retest (BPR) zones based on the interaction of bearish and bullish Fair Value Gaps (FVG). The indicator draws colored boxes representing valid BPR zones and maintains their visibility until invalidation.
Key Features:
- Automatically detects both bullish and bearish BPR patterns
- Customizable BPR threshold for minimum range validation
- Option to show only "clean" BPR zones (without price interference)
- Adjustable lookback period for FVG sequence detection
- Visual representation with color-coded boxes (green for bullish, red for bearish)
- Persistent display of last valid BPR levels in Data Window
- Built-in alert conditions for new BPR formations
The indicator helps traders identify potential reversal or continuation zones based on Smart Money Concepts, particularly useful for tracking institutional order blocks and market structure.
This is an indicator from the CDZV.COM - Code Zero Visual Trading toolkit.
Enhanced Smart Money Concepts ProEnhanced Smart Money Concepts Pro (SMC Pro) is an advanced technical analysis indicator that combines traditional Smart Money Concepts with institutional trading methodologies, volume analysis, and volatility metrics. This indicator is designed to identify high-probability trading setups by analyzing market structure, order blocks, fair value gaps (FVG), and institutional trading patterns.
Triad Force📈 Triad Force Indicator:
A Combinação Perfeita para Identificar Tendências e Padrões de Preço
🔧 Descrição: O Triad Force Indicator é uma ferramenta de análise técnica avançada que combina três indicadores poderosos para oferecer insights profundos sobre o mercado. Ele foi projetado para traders que buscam uma abordagem mais estratégica e robusta, utilizando:
MACD: Para identificar a direção e a força das tendências de curto e longo prazo.
TTM Squeeze: Para capturar momentos de compressão de volatilidade, ajudando a antecipar movimentos explosivos no mercado.
ADX (Average Directional Index): Para confirmar se o mercado está em forte tendência ou em uma fase de consolidção.
Com essa combinação, o Triad Force Indicator permite que você tome decisões mais precisas e bem-informadas sobre quando entrar e sair do mercado, focando em pontos de inflexão e rompimentos importantes.
💡 Como Funciona:
MACD (Moving Average Convergence Divergence):
O MACD é utilizado para mostrar a diferença entre duas médias móveis (curta e longa), com seu histograma ajudando a identificar mudanças na dinâmica do mercado. Ele é essencial para medir a força da tendência.
TTM Squeeze:
O TTM Squeeze detecta momentos de baixa volatilidade no mercado, conhecidos como "squeezes", onde o preço está comprimido antes de um grande movimento. Quando um squeeze é identificado, é um sinal de que o preço pode se mover fortemente em breve.
ADX (Average Directional Index):
O ADX mede a força da tendência no mercado, fornecendo uma leitura clara de quando o mercado está em uma tendência forte (acima do valor configurado, geralmente 25) ou em fase de consolidação (abaixo de 25). Ele é crucial para confirmar a dinâmica de preço e garantir que a tendência seja consistente.
📊 Características:
Parâmetros Customizáveis:
Todos os parâmetros são totalmente customizáveis para que você possa ajustar o indicador às suas necessidades e preferências pessoais. Isso inclui configurações do MACD, TTM Squeeze e ADX, com controle total sobre o comprimento e os limiares de cada indicador.
Alertas:
O indicador oferece condições de alerta para quando o TTM Squeeze é ativado, indicando compressão no mercado, e para quando o ADX ultrapassa o limite configurado, sinalizando uma tendência forte.
Visualização Clara:
Através de gráficos com histograma do MACD e plotagens do ADX, você obterá uma visão clara do estado atual do mercado, incluindo regiões de squeeze e a força da tendência.
🚀 Benefícios:
Combinação Poderosa: A união do MACD, TTM Squeeze e ADX oferece uma abordagem única, com diferentes camadas de análise para prever movimentos no mercado.
Precisão e Eficiência: Ajuda a identificar os melhores pontos de entrada e saída, focando em momentos de tendência forte e padrões de price action.
Configuração Simples: Customizável, você pode ajustar os parâmetros do indicador para que ele se adapte perfeitamente à sua estratégia de trading.
Se você está buscando uma ferramenta mais eficiente para prever as tendências e identificar momentos de volatilidade no mercado, o Triad Force Indicator é a solução ideal. Experimente agora e leve seu trading para o próximo nível!
🚨 Aviso: Lembre-se de usar este indicador em conjunto com uma análise abrangente do mercado e sempre com uma boa gestão de risco. Não há indicadores infalíveis, e os resultados podem variar conforme o mercado.
Dynamic Open Levels# Dynamic Open Levels Indicator v1.0
Release Date: November 5, 2024
Introducing the Dynamic Open Levels indicator on TradingView! This tool helps traders visualize and analyze key opening price levels across multiple timeframes, making your market analysis more effective.
---
### Key Features
- Multiple Timeframes : Yearly, Quarterly, Monthly, Weekly, Daily, 4H, and 1H levels available.
- Visibility Controls : Easily toggle visibility for each timeframe to suit your trading style.
- Line Customization : Set custom thickness and colors for lines, making charts easy to interpret.
- Monthly: Purple
- Weekly: Blue
- Daily: Green
- 4H: Red
- 1H: Orange
- Dynamic Coloring : Lines adjust color based on market conditions—teal for bullish (`rgb(34, 171, 148)`) and coral for bearish (`rgb(247, 82, 95)`).
### Labels & Customization
- Real-Time Labels : Each level is labeled for easy identification (e.g., Y for Yearly, Q for Quarterly).
- Label Settings : Customize opacity, text color, size, and position for clarity without cluttering your chart.
- Sizes : Choose from tiny, small, normal, large, to huge.
- Offset : Set labels from 1 to 10 to position them precisely.
- Color Management : Organize all colors under a dedicated Line Colors group for easy adjustments.
### Advanced Plotting & Performance
- Real-Time Updates : Levels are updated dynamically with the latest open prices.
- Extended Lines : Lines extend to the right, offering a consistent reference for future price movement.
- Optimized Performance : Handles up to 500 lines efficiently to maintain smooth performance.
---
### Installation Instructions
1. Add to Chart :
- Go to the Indicators section in TradingView.
- Search for Dynamic Open Levels and add it to your chart.
2. Customize Settings :
- Line Thickness : Adjust to suit your preference.
- Visibility : Toggle timeframes like Yearly, Monthly, Weekly, etc., as needed.
- Labels : Configure opacity, text color, size, and offset under the Label Settings group.
---
### Documentation & Support
For guidance on using the Dynamic Open Levels indicator, visit our Documentation (#). If you need assistance, check out our Support Channel (#).
---
Thank you for choosing Dynamic Open Levels . Stay tuned for future updates that will continue to improve your trading experience!
H A Z E D
FVG Scr [CDZV]# Fair Value Gap (FVG) Screener Indicator
This indicator helps traders identify and monitor Fair Value Gaps across multiple timeframes simultaneously. It combines visual representation with precise numerical data.
## Key Features:
- Monitors up to 5 different timeframes (default: 15m, 30m, 1h, 4h, 1d)
- Detects both bullish and bearish FVGs
- Displays active FVGs in an on-chart table using color coding (green for bullish, red for bearish)
- Shows FVG boundaries and signals in the data window
- Customizable FVG filling type (Close or High/Low prices)
- Configurable lookback period for finding FVGs
## Data Window Output:
- Bullish FVG Signal: 1 when price is inside a bullish FVG, 0 otherwise
- Bullish FVG Top: Upper boundary of active bullish FVG
- Bullish FVG Bottom: Lower boundary of active bullish FVG
- Bearish FVG Signal: 1 when price is inside a bearish FVG, 0 otherwise
- Bearish FVG Top: Upper boundary of active bearish FVG
- Bearish FVG Bottom: Lower boundary of active bearish FVG
## Settings:
- Adjustable timeframes and their visibility
- Theme options (Dark/Light)
- Table position customization
- Maximum bars back for FVG detection
- FVG fill type selection
Perfect for traders who want to incorporate Fair Value Gaps into their trading strategy and need precise entry/exit levels across multiple timeframes.
This is an indicator from the CDZV.COM - Code Zero Visual Trading toolkit.
Stochastic Oscillator Buy/Sell LabelsThis strategy is a basic momentum reversal approach based on the Stochastic Oscillator. It attempts to catch price reversals when the oscillator indicates overbought or oversold conditions. It uses simple crossovers of the %K line with overbought (80) and oversold (20) levels as buy and sell signals.
KISHORE Candlesprice movent and direction of trend strength it is indicates as per selected timeframe
BB Trend Magic with EMA 20//@version=5
indicator("BB Trend Magic with EMA 20", overlay=true)
// BB Trend Magic Indicator (EmreKB)
// Define the settings for the BB Trend Magic (commonly using Bollinger Bands)
bbLength = input.int(20, "BB Length")
bbMultiplier = input.float(2.0, "BB Multiplier")
atrLength = input.int(14, "ATR Length")
// Bollinger Bands Calculation
basis = ta.sma(close, bbLength)
dev = bbMultiplier * ta.stdev(close, bbLength)
upperBB = basis + dev
lowerBB = basis - dev
// ATR Calculation
atr = ta.atr(atrLength)
// Define BB Trend Magic Condition
trendUp = close > upperBB and ta.crossover(close, basis)
trendDown = close < lowerBB and ta.crossunder(close, basis)
trendMagic = trendUp ? basis + atr : trendDown ? basis - atr : na
// EMA 20 Calculation
ema20 = ta.ema(close, 20)
// Plot the BB Trend Magic and EMA 20
plot(trendMagic, title="BB Trend Magic", color=color.blue, linewidth=2, style=plot.style_stepline)
plot(ema20, title="EMA 20", color=color.red, linewidth=1)
// Highlight signals where BB Trend Magic crosses EMA 20
bullSignal = ta.crossover(trendMagic, ema20)
bearSignal = ta.crossunder(trendMagic, ema20)
// Plot signal markers
plotshape(series=bullSignal, location=location.belowbar, color=color.green, style=shape.labelup, title="Bullish Signal", text="BUY")
plotshape(series=bearSignal, location=location.abovebar, color=color.red, style=shape.labeldown, title="Bearish Signal", text="SELL")
Three EMA with CPR Strategy ( Trade Moments )Explanation of the Strategy Components
Three EMAs:
Fast, medium, and slow EMAs are set to 9, 21, and 50 by default.
A bullish trend is identified when the fast EMA is above the medium EMA, which is above the slow EMA.
A bearish trend is identified when the fast EMA is below the medium EMA, which is below the slow EMA.
Central Pivot Range (CPR):
The CPR is calculated using the previous day’s high, low, and close.
pivot is the central pivot point, bc is the bottom central pivot, and tc is the top central pivot.
The CPR acts as a support/resistance zone:
Price above the top central pivot (tc) in a bullish trend is considered a strong long entry.
Price below the bottom central pivot (bc) in a bearish trend is considered a strong short entry.
Trade Entry Conditions:
For a long position, both a bullish trend and a price breakout above the top central pivot (tc) are required.
For a short position, both a bearish trend and a price breakdown below the bottom central pivot (bc) are required.
Exit Condition:
Optional exits occur if the price crosses the central pivot (pivot), signaling a potential weakening of the trade.
This script combines trend direction with the EMA alignment and uses the CPR to refine entry and exit points based on support and resistance zones. Adjust the EMA lengths and CPR levels based on your asset’s behavior for better tuning.
RSI/Stoch/MFI/Momentum - AlphractalThis metric combines multiple momentum and cash flow indicators to create a comprehensive market view, enabling more complete and actionable analyses. It calculates a normalized average of the values from four technical indicators:
RSI (Relative Strength Index): Indicates recent price action strength or weakness, oscillating between overbought (70) and oversold (30) areas.
Stochastic: Helps identify price movement extremes, useful for assessing reversal points.
MFI (Money Flow Index): Considers cash flow to signal overbought or oversold conditions by analyzing volume alongside price.
Momentum: Normalized to indicate the strength of short-term trends, helping to detect changes in momentum.
The generated line represents the weighted average of the selected indicators, offering an overall index ranging from 0 to 100, where values above 70 indicate possible overbought conditions, and below 30 indicate oversold conditions. This metric simplifies market momentum analysis, making it easier to identify potential entry or exit points.
Multi-Timeframe Period Separators█ OVERVIEW
This indicator plots period separators for up to four higher timeframes. The separators are fully customizable and designed to work on any symbols.
█ FEATURES
Reference
You can choose to plot the separators starting from midnight 00:00 or the opening of the exchange trading session.
Timezone
You can specify to localize midnight 00:00 to the region of your liking. The timezone format conveniently requires no manual adjustment during clock changes.
█ NOTES
Scans the bar opening and closing times
The script checks the bar ` time ` and ` time_close ` to pinpoint the separators that can occur intrabar.
Tracks from the last separator
The script tracks the time elapsed since the last separator, which is useful when there is no trading activity or the market is closed. As it can result in missing bars, it plots the separator on the first available bar.
Others
The script automatically hides the separators when navigating to an equal or higher chart timeframe.