Double Stochastic Strategy with RSIDouble Stochastic Strategy with RSI This strategy combines two stochastic oscillators with the Relative Strength Index (RSI) to detect potential trend reversals in the market. The Double Stochastic Strategy measures how close prices are to overbought or oversold zones, and when combined with RSI, provides more reliable signals.
Stochastic Oscillator: By using two different stochastic oscillators, the strategy examines the market’s movement towards overbought or oversold levels over specific time frames. The primary stochastic is set for a shorter timeframe, while the secondary stochastic monitors long-term trends.
RSI (Relative Strength Index): RSI measures the speed and direction of price movements. When the double stochastic signals align with RSI levels, it generates stronger buy or sell signals.
This strategy is commonly used to detect short-term reversals or corrections in prices reaching extreme levels. Generally, a buy signal occurs when the stochastics are in the oversold zone and RSI is at a low level, while a sell signal is generated when stochastics are in the overbought zone and RSI is high.
Indicators and strategies
Depth Trend Indicator - RSIDepth Trend Indicator - RSI
This indicator is designed to identify trends and gauge pullback strength by combining the power of RSI and moving averages with a depth-weighted calculation. The script was created by me, Nathan Farmer and is based on a multi-step process to determine trend strength and direction, adjusted by a "depth" factor for more accurate signal analysis.
How It Works
Trend Definition Using RSI: The RSI Moving Average ( rsiMa ) is calculated to assess the current trend, using customizable parameters for the RSI Period and MA Period .
Trends are defined as follows:
Uptrend : RSI MA > Critical RSI Value
Downtrend : RSI MA < Critical RSI Value
Pullback Depth Calculation: To measure pullback strength relative to the current trend, the indicator calculates a Depth Percentage . This is defined as the portion of the gap between the moving average and the price covered by a pullback.
Depth-Weighted RSI Calculation: The Depth Percentage is then applied as a weighting factor on the RSI Moving Average , giving us a Weighted RSI line that adjusts to the depth of pullbacks. This line is rather noisy, and as such we take a moving average to smooth out some of the noise.
Key Parameters
RSI Period : The period for RSI calculation.
MA Period : The moving average period applied to RSI.
Price MA Period : Determines the SMA period for price, used to calculate pullback depth.
Smoothing Length : Length of smoothing applied to the weighted RSI, creating a more stable signal.
RSI Critical Value : The critical value (level) used in determining whether we're in an uptrend or a downtrend.
Depth Critical Value : The critical value (level) used in determining whether or not the depth weighted value confirms the state of a trend.
Notes:
As always, backtest this indicator and modify the parameters as needed for your specific asset, over your specific timeframe. I chose these defaults as they worked well on the assets I look at, but it is likely you tend to look at a different group of assets over a different timeframe than what I do.
Large pullbacks can create large downward spikes in the weighted line. This isn't graphically pleasing, but I have tested it with various methods of normalization and smoothing and found the simple smoothing used in the indicator to be best despite this.
Money Magnet Kalem DSThis script is based on triple screen trading system by Dr. Alexander Elder.
PREREQUISITES:
1. Only suites for Dow Theory and Elliot Wave users
2. Advanced price action knowledge is required
3. Any profits or losses based on this indicator is every traders responsibilities, it has no guarantee to make absolute crazy profits
Heikin Ashi Reversal Strategy for Gold with SL/TP//@version=5
indicator("Heikin Ashi Reversal Strategy for Gold with SL/TP", overlay=true)
// Heikin Ashi Calculations (without `request.security`, calculated on the current chart's timeframe)
haClose = (open + high + low + close) / 4
var float haOpen = na
haOpen := na(haOpen ) ? (open + close) / 2 : (haOpen + haClose ) / 2
haHigh = math.max(high, math.max(haOpen, haClose))
haLow = math.min(low, math.min(haOpen, haClose))
// Define Heikin Ashi trend conditions
bullish = ta.crossover(haClose, haOpen) // Bullish signal when haClose crosses above haOpen
bearish = ta.crossunder(haClose, haOpen) // Bearish signal when haClose crosses below haOpen
// Input fields for Take Profit and Stop Loss levels (adjustable for Gold)
tpLevel = input.float(0.5, title="Take Profit (%)") // Example: 0.5% TP
slLevel = input.float(0.3, title="Stop Loss (%)") // Example: 0.3% SL
// Entry price, Take Profit, and Stop Loss calculations
var float entryPrice = na
if (bullish)
entryPrice := close
if (bearish)
entryPrice := close
takeProfit = entryPrice * (1 + tpLevel / 100) // TP based on percentage above entry
stopLoss = entryPrice * (1 - slLevel / 100) // SL based on percentage below entry
// Plot Buy and Sell signals with labels for visibility
plotshape(series=bullish, location=location.belowbar, color=color.green, style=shape.labelup, title="Buy Signal", text="BUY")
plotshape(series=bearish, location=location.abovebar, color=color.red, style=shape.labeldown, title="Sell Signal", text="SELL")
// Plot TP and SL levels
plot(takeProfit, color=color.green, style=plot.style_line, linewidth=1, title="Take Profit")
plot(stopLoss, color=color.red, style=plot.style_line, linewidth=1, title="Stop Loss")
// Optional: Debugging Heikin Ashi values (can be removed if not needed)
plot(haOpen, color=color.blue, title="Heikin Ashi Open")
plot(haClose, color=color.purple, title="Heikin Ashi Close")
Reversão Simples com Pontos de Liquidez//@version=5
indicator("Indicador IQ Option - Reversão Simples com Pontos de Liquidez", overlay=true)
// Configurações do RSI para detectar condições de reversão
rsiLength = input.int(14, title="Período do RSI")
overbought = input.int(70, title="Nível de Sobrecomprado (Venda)")
oversold = input.int(30, title="Nível de Sobrevendido (Compra)")
rsi = ta.rsi(close, rsiLength)
// Definindo as condições de entrada de compra (CALL) e venda (PUT)
sinalCompra = ta.crossover(rsi, oversold) // RSI cruzando para cima o nível de sobrevenda
sinalVenda = ta.crossunder(rsi, overbought) // RSI cruzando para baixo o nível de sobrecompra
// Plotando os indicativos de entrada para Compra (CALL) e Venda (PUT) como texto
plotshape(series=sinalCompra, title="Entrada CALL", location=location.belowbar, color=color.green, style=shape.labelup, text="CALL")
plotshape(series=sinalVenda, title="Entrada PUT", location=location.abovebar, color=color.red, style=shape.labeldown, text="PUT")
// Identificando os dois últimos pontos de liquidez (topos e fundos)
lookback = 50 // Número de barras para procurar os topos e fundos
// Encontrando os índices dos maiores topos e fundos nas últimas `lookback` barras
topoIndex = ta.highestbars(high, lookback)
fundoIndex = ta.lowestbars(low, lookback)
// Garantindo que os índices não sejam negativos (significa que o ponto não existe dentro da janela de lookback)
validTopoIndex = topoIndex >= 0 ? topoIndex : na
validFundoIndex = fundoIndex >= 0 ? fundoIndex : na
// Preços de liquidez nos topos e fundos
liquidezTopo = validTopoIndex >= 0 ? high : na
liquidezFundo = validFundoIndex >= 0 ? low : na
// Plotando linhas horizontais nos dois últimos pontos de liquidez
if (validTopoIndex >= 0)
line.new(x1=bar_index , y1=liquidezTopo, x2=bar_index, y2=liquidezTopo, color=color.orange, width=2, style=line.style_dashed)
if (validFundoIndex >= 0)
line.new(x1=bar_index , y1=liquidezFundo, x2=bar_index, y2=liquidezFundo, color=color.blue, width=2, style=line.style_dashed)
// Detectando reversões após os pontos de liquidez
reversaoTopo = ta.crossover(close, liquidezTopo) // Quando o preço ultrapassa o topo
reversaoFundo = ta.crossunder(close, liquidezFundo) // Quando o preço cai abaixo do fundo
// Plotando setas de reversão
plotshape(series=reversaoTopo, title="Reversão no Topo", location=location.abovebar, color=color.yellow, style=shape.triangledown, text="Reversão")
plotshape(series=reversaoFundo, title="Reversão no Fundo", location=location.belowbar, color=color.purple, style=shape.triangleup, text="Reversão")
// Alertas para notificar o trader
alertcondition(sinalCompra, title="Sinal de Compra (CALL)", message="Sinal de Compra (CALL) detectado!")
alertcondition(sinalVenda, title="Sinal de Venda (PUT)", message="Sinal de Venda (PUT) detectado!")
Nami Bands with Future Projection [FXSMARTLAB]The Nami Bands ( Inspired by "Nami", meaning "wave" in Japanese) are two dynamic bands around price data: an upper band and a lower band. These bands are calculated based on an Asymmetric Linear Weighted Moving Average of price and a similarly asymmetric weighted standard deviation. This weighting method emphasizes recent data without overreacting to short-term price changes, thus smoothing the bands in line with prevailing market conditions.
Advantages and Benefits of Using the Indicator
* Volatility Analysis: The bands expand and contract with market volatility, helping traders assess periods of high and low volatility. Narrow bands indicate low volatility and potential consolidation, while wide bands suggest increased volatility and potential price movement.
* Dynamic Support and Resistance Levels: By adapting to recent trends, the bands serve as dynamic support (lower band) and resistance (upper band) levels, which traders can use for entry and exit signals.
* Overbought and Oversold Conditions: When prices reach or cross the bands’ outer limits, it may signal overbought (upper band) or oversold (lower band) conditions, suggesting possible reversals or trend slowdowns.
* Trend Confirmation and Continuation: The slope of the central moving average confirms trend direction. An upward slope generally indicates a bullish trend, while a downward slope suggests a bearish trend.
* Anticipating Breakouts and Reversals: The projected bands help identify where price movements may head, allowing traders to anticipate potential breakouts or reversals based on projected support and resistance.
Indicator Parameters
Source (src): The price data used for calculations, by default set to the average of high, low, and close (hlc3).
Length: The period over which calculations are made, defaulted to 50 periods.
Projection Length: The length for future band projection, defaulted to 20 periods.
StdDev Multiplier (mult): A multiplier for the standard deviation, defaulted to 2.0.
Internal Calculations
1. Asymmetric Linear Weighted Moving Average of Price
The indicator uses an Asymmetric Linear Weighted Moving Average (ALWMA) to calculate a central value for the price.
Asymmetric Weighting: This weighting technique assigns the highest weight to the most recent value, with weights decreasing linearly as the data points become older. This structure provides a nuanced focus on recent price trends, while still reflecting historical price levels.
2. Asymmetric Weighted Standard Deviation
The standard deviation in this indicator is also calculated using asymmetric weighting:
Purpose of Asymmetric Weighted Standard Deviation: Rather than aiming for high sensitivity to recent data, this standard deviation measure smooths out volatility by integrating weighted values across the length period, stabilizing the overall measurement of price variability.
This approach yields a balanced view of volatility, capturing broader market trends without being overly reactive to short-lived changes.
3. Upper and Lower Bands
The upper and lower bands are created by adding and subtracting the asymmetric weighted standard deviation from the asymmetric weighted average of price. This creates a dynamic envelope that adjusts to both recent price trends and the smoothed volatility measure:
These bands represent adaptable support and resistance levels that shift with recent market volatility.
Future Band Projection
The indicator provides a projection of the bands based on their current slope.
1. Calculating the Slope of the Bands
The slope for each band is derived from the difference between the current and previous values of each band.
2. Projecting the Bands into the Future
For each period into the future, up to the defined Projection Length, the bands are projected using the current slope.
This feature offers an anticipated view of where support and resistance levels may move, providing insight for future market behavior based on current trends.
ATH with Percentage DifferenceSimple ATH with difference percentage from the actual price to hit the all time high price again
Aadil Parmar Swing StrategyFixed EMA Lengths: The lengths for the EMAs are fixed at 50 and 100.
Calculate EMAs: Computes the values for the 50-period and 100-period EMAs.
Trend Confirmation Conditions: Ensures the 50 EMA is greater than the 100 EMA for uptrends and vice versa for downtrends.
Price Rejection Conditions with Trend Confirmation:
Long Condition: The price drops below and then closes above either EMA while confirming an uptrend.
Short Condition: The price rises above and then closes below either EMA while confirming a downtrend.
Plot EMAs and Signals: Displays the EMAs on the chart and marks buy/sell signals when conditions are met.
Generate Strategy Entries: Executes buy and sell trades based on the defined conditions.
Profit Threshold: Sets the profit threshold to 5%.
Check for Profitable Trades:
If in a long position, checks if the high price reaches 5% above the entry price and closes the position, marking it as a profitable trade.
If in a short position, checks if the low price reaches 5% below the entry price and closes the position, marking it as a profitable trade.
This script will help you identify and mark profitable trades when the price moves 5% in your favor. If you need any further adjustments or additional features, feel free to ask!
First 5 Minutes Open/Close LinesThis very simple indicator paints lines at the high and low of the first 5m candle of the session. It is primarily intended for big cap NYSE traded stocks with high volume. I wrote this indicator to save me the trouble of manually drawing the lines each day.
The lines drawn at the 5m high/low will remain constant regardless of which timeframe you switch to. In the example screenshot, we are looking at the 1m timeframe. This helps us switch effortlessly between different timeframes to see if a given price movement meets our entry criteria.
In addition to drawing lines at the first 5m high/low, it will optionally paint two zones, one each around the high and low. The boundaries of this zone are configurable and expressed as a percentage of the total movement of the first 5m bar. By default, it is set to 25%.
This indicator is based on the concept that the first 5m bar always has massive volume which helps us infer that price may react around the extremes of that movement. The basic strategy works something like this:
- You identify the high timeframe (HTF) trend direction of the stock
- You wait for the first 5m candle of the session to close
- You wait for price to puncture through the outer boundary of the zone marked by the indicator.
- You enter when price retraces to the high, or low, which marks the midpoint of the punctured zone.
- Only enter long on stocks in a HTF uptrend, and short on stocks in an HTF downtrend.
- Use market structure to identify stop loss and take profit targets
Note: Use at your own risk. This indicator and the strategy described herein are not in any way financial advice, nor does the author of this script make any claims about the effectiveness of this strategy, which may depend highly on the discretion and skill of the trader executing it, among many other factors outside of the author's control. The author of this script accepts no liability, and is not responsible for any trading decisions that you may or may not make as a result of this indicator. You should expect to lose money if using this indicator.
Historical Eventsdisplay historical events on charts
User Controls:
Category Filters: Toggle display for wars, economic events, pandemics, and other specific event types.
Importance Filter: Choose to show only major events or include all listed events.
Display Option: Adjust the view to display only icons, only text, or both.
MTF+MA V2 MTF+MA Indicator by ridvansozen1
The MTF+MA Indicator is a multi-timeframe moving average strategy developed by TradingView user ridvansozen1. This tool is designed to assist cryptocurrency traders in identifying potential long and short trading opportunities by analyzing market trends across multiple timeframes.
Key Features:
Multi-Timeframe Analysis: Utilizes fast and slow exponential moving averages (EMAs) on user-defined long, mid, and short-term timeframes to assess market direction.
Signal Generation: Generates long signals when all selected timeframes indicate a positive trend and short signals when all indicate a negative trend.
Customizable Parameters: Allows users to adjust source data, EMA lengths, and timeframes to tailor the strategy to specific trading preferences.
Date Range Filtering: Includes settings to define specific date ranges for signal generation, enabling focused backtesting and analysis.
How to Use:
Configure Moving Averages: Set your preferred lengths for the fast and slow EMAs.
Select Timeframes: Choose the long, mid, and short-term timeframes that align with your trading strategy.
Set Date Range: Define the date range during which the strategy should generate signals.
Interpret Signals: Monitor the indicator plots—green, blue, and red lines representing the EMA differences across timeframes. A long position is suggested when all three lines are above zero, and a short position is suggested when all are below zero.
Disclaimer: This indicator is intended for educational purposes and should not be considered financial advice. Users are encouraged to conduct thorough backtesting and apply proper risk management before utilizing this strategy in live trading.
FlexiMA - Customizable Moving Averages ProDescrição:
O FlexiMA - Customizable Moving Averages Pro é um indicador de médias móveis altamente customizável desenvolvido para traders que buscam flexibilidade e precisão na análise de tendência. Este indicador permite ao usuário ajustar até quatro médias móveis, escolhendo o tipo de média, período, cor, estilo e espessura das linhas de acordo com sua estratégia.
Funcionalidades Principais:
Seleção do Tipo de Média Móvel:
O FlexiMA oferece múltiplas opções de médias móveis para cada uma das quatro linhas disponíveis. Isso inclui tipos de médias clássicas, como Simples (SMA), Exponencial (EMA), e outras avançadas como Welles Wilder.
Personalização de Períodos:
O usuário pode configurar períodos distintos para cada média móvel, tornando o indicador adaptável tanto para estratégias de curto quanto de longo prazo.
Controle Completo do Estilo:
O FlexiMA permite ajustar a cor, a espessura e o tipo de linha (contínua, pontilhada, etc.) de cada média móvel, proporcionando uma visualização clara e organizada no gráfico.
Ativação/Desativação de Médias:
Cada uma das quatro médias móveis pode ser ativada ou desativada de forma independente, permitindo que o trader trabalhe com uma única média, pares, ou todas as quatro, conforme necessário.
Como Utilizar:
Este indicador é projetado para servir tanto traders iniciantes quanto experientes. Você pode configurá-lo para ajudar a identificar tendências de alta e baixa, pontos de reversão e até sinais de entrada e saída.
O FlexiMA permite, por exemplo, definir uma combinação clássica de médias de 50 e 200 períodos para identificar mudanças de tendência de longo prazo, enquanto as médias mais curtas podem ser usadas para sinalizar entradas rápidas.
Exemplos de Aplicação:
Estratégia de Cruzamento: Defina uma média de curto prazo e uma de longo prazo e acompanhe os pontos de cruzamento para detectar mudanças de tendência.
Análise Multi-Temporal: Configure cada média móvel para períodos diferentes e utilize-os para analisar tendências em várias janelas temporais ao mesmo tempo.
Confirmação de Volume: Com a opção de incluir a VWMA, é possível obter uma leitura de tendência ponderada pelo volume, útil para confirmar a força das movimentações de preço.
Recomendações:
Este indicador é recomendado para traders que buscam um maior controle sobre suas análises de tendências e uma experiência de uso personalizada no TradingView.
Resumo das Configurações:
Tipos de Média: SMA, EMA, WW.
Configuração de Período: Definido pelo usuário para cada média.
Estilo de Linha: Contínua, pontilhada, entre outros.
Cor e Espessura: Totalmente customizáveis.
<relativeStrenght/>This custom RSI (Relative Strength Index) indicator is based on the traditional RSI with a 14-period length but includes additional levels at 20, 30, 40, 50, 60, 70, and 80, providing a more detailed view of price momentum and potential reversal zones. Unlike standard RSI indicators with just two thresholds (overbought at 70 and oversold at 30), this enhanced RSI allows traders to assess intermediate levels of buying and selling pressure. The multiple levels offer finer insights, helping traders identify early signals of trend shifts, possible consolidation zones, and the strength of trends across a broader spectrum.
Filha MalInspirado no Setup Filha Malcriada, esse tem o alvo abaixo da metade do corpo da vela de hoje
Inside Bar and Gap-Up Marker//@version=5
indicator("Inside Bar and Gap-Up Marker", overlay=true)
// Input toggles and adjustable values for each condition
use_inside_bar_condition = input.bool(true, title="Enable Inside Bar Condition")
use_gap_up_condition = input.bool(true, title="Enable Gap-Up Condition")
gap_up_percent_threshold = input.float(0.5, title="Gap-Up Percentage Threshold", step=0.1)
// Calculate the previous day's high, low, and close
prev_close = request.security(syminfo.tickerid, "D", close )
prev_high = request.security(syminfo.tickerid, "D", high )
prev_low = request.security(syminfo.tickerid, "D", low )
// Calculate the current day's opening price and gap percentage
current_open = open
gap_up_percent = ((current_open - prev_close) / prev_close) * 100
// Condition 1: Check if the current candle is an inside bar
is_inside_bar = (high <= prev_high) and (low >= prev_low)
// Condition 2: Check if the current candle opens with a gap-up greater than the specified percentage
is_gap_up = gap_up_percent > gap_up_percent_threshold
// Plot "IB" text below the inside bar candle if enabled
plotshape(series=use_inside_bar_condition and is_inside_bar, location=location.belowbar, style=shape.labeldown, text="IB", color=color.green, size=size.tiny, title="Inside Bar")
// Plot a green circle below the candle if it opens with a gap-up above the specified percentage and the toggle is enabled
plotshape(series=use_gap_up_condition and is_gap_up, location=location.belowbar, style=shape.circle, color=color.green, size=size.small, title="Gap-Up")
Average Yield InversionDescription:
This script calculates and visualizes the average yield curve spread to identify whether the yield curve is inverted or normal. It takes into account short-term yields (1M, 3M, 6M, 2Y) and long-term yields (10Y, 30Y).
Positive values: The curve is normal, indicating long-term yields are higher than short-term yields. This often reflects economic growth expectations.
Negative values: The curve is inverted, meaning short-term yields are higher than long-term yields, a potential signal of economic slowdown or recession.
Key Features:
Calculates the average spread between long-term and short-term yields.
Displays a clear graph with a zero-line reference for quick interpretation.
Useful for tracking macroeconomic trends and potential market turning points.
This tool is perfect for investors, analysts, and economists who need to monitor yield curve dynamics at a glance.
5-Minute YEN Pivot Bars 1.0The 5-Minute YEN Pivot Bars indicator is designed to identify and highlight low-range pivot bars on 5-minute charts, specifically tailored for Yen-based pairs (e.g., GBPJPY, USDJPY). By focusing on precise pip thresholds, this tool helps traders detect potential pivot points within specific trading sessions, while avoiding inside bars and other noise often seen in low-volatility conditions. This can be particularly useful for trend traders and those looking to refine their entry points based on intraday reversals.
Key Features:
- Customized Pip Thresholds for Yen Pairs:
The indicator is pre-configured for Yen pairs, where 1 pip is typically represented by 0.01. It applies these thresholds:
- Limited Range: 4 pips or less between open and close prices.
- High/Low Directionality: At least 3 pips from the close/open to the bar's high or low.
- Open/Close Proximity: 4 pips or less between open and close.
- Inside Bar Tolerance: A tolerance of 3 pips for inside bars, helping reduce false signals from bars contained within the previous bar's range.
- Session-Specific Alerts:
- The indicator allows you to enable alerts for the European Session (6:00-12:00), American Session (12:00-17:00), and London Close (17:00-20:00). You can adjust these times based on your own trading hours or timezone preferences via a time-shift setting.
- Receive real-time alerts when a valid bullish or bearish pivot bar is identified within the chosen sessions, allowing you to respond to potential trade opportunities immediately.
- Time Shift Customization:
- Adjust the "Time Shift" parameter to account for different time zones, ensuring accurate session alignment regardless of your local time.
How It Works:
1. Pivot Bar Identification:
The indicator scans for bars where the difference between the open and close is within the "Limited Range" threshold, and both open and close prices are close to either the high or the low of the bar.
2. Directional Filtering:
It requires the bar to show strong directional bias by enforcing an additional distance between the open/close levels and the opposite end of the bar (high/low). Only bars with this directional structure are considered for highlighting.
3. Exclusion of Inside Bars:
Bars that are completely contained within the range of the previous bar are excluded (inside bars), as are consecutive inside bars. This filtering is essential to avoid marking bars that typically indicate consolidation rather than potential pivot points.
4. Session Alerts:
When a valid pivot bar appears within the selected sessions, an alert is triggered, notifying the trader of a potential trading signal. Bullish and bearish signals are differentiated based on whether the close is near the high or low.
How to Use:
- Trend Reversals: Use this indicator to spot potential trend reversals or pullbacks on a 5-minute chart, especially within key trading sessions.
- Entry and Exit Points: Highlighted bars can serve as potential entry points for traders looking to capitalize on short-term directional changes or continuation patterns.
- Combine with Other Indicators: Consider pairing this tool with momentum indicators or trendlines to confirm the signals, providing a comprehensive analysis framework.
Default Parameters:
- Limited Range: 4 Pips
- High/Low Directionality: 3 Pips
- Open/Close Proximity: 4 Pips
- Inside Bar Tolerance: 3 Pips
- Session Alerts: Enabled for European, American, and London Close sessions
- Time Shift: Default 6 (adjustable to align with different time zones)
This indicator is specifically optimized for Yen pairs on 5-minute charts due to its pip calculation.
ATR Stop LossThe ATR Stop Loss indicator is designed to assist traders in managing risk by calculating dynamic stop loss levels based on the Average True Range (ATR). By considering market volatility, this tool helps identify optimal stop loss placements for both long and short positions, making it easier for traders to protect their investments and avoid premature exits.
Features:
Customizable ATR period and multiplier to adapt to different trading strategies and market conditions.
Displays stop loss levels directly on the chart for quick decision-making.
Works across various timeframes and assets, offering flexible application in diverse trading scenarios.
How It Works: The indicator calculates the ATR over a specified period and multiplies it by a user-defined value to plot stop loss levels above or below the current closing price. For long positions, the stop loss level is set below the price, while for short positions, it is set above. These levels help traders set stops that account for current market volatility, reducing the likelihood of getting stopped out by minor fluctuations.
Usage: Add the ATR Stop Loss indicator to your chart, customize the ATR period and multiplier as needed, and use the visualized stop loss levels to manage your trades with greater precision and confidence.
Disclaimer: The ATR Stop Loss indicator is provided for educational and informational purposes only and should not be construed as financial or investment advice. Trading involves substantial risk and is not suitable for every investor. Users are solely responsible for any trading decisions they make based on the use of this indicator. Past performance is not indicative of future results. Always conduct your own analysis and consult with a qualified financial professional before making any trading decisions. EdgeLab and its creator bear no liability for any financial losses or other damages resulting from the use of this indicator.
Stockbee M20The Stockbee M20 Scan is a momentum scan designed to identify stocks with established short-term momentum. It highlights stocks that have moved significantly over the past 30 days, with bullish momentum indicated by a 20%+ increase from the lowest price and bearish momentum by a 20%+ decrease from the highest price. This scan helps traders spot potential setups and build watchlists of stocks that may offer continued movement.
This M20 Indicator serves as a study tool to visualize when stocks historically met these M20 conditions. It marks on the chart where a stock would have triggered the M20 scan, allowing traders to review past momentum patterns and evaluate current movers. An optional Keltner Channel filter further refines signals by excluding stocks that are overextended from their mean price, focusing only on entries closer to the average price.
M20 Conditions and Filter :
M20 Bullish: Price is 20%+ above the lowest point in the past 30 days.
M20 Bearish: Price is 20%+ below the highest point in the past 30 days.
Keltner Channel Filter: Exclude stocks trading outside the 20-period EMA ± 2x 10-period ATR bands.