Previous Day's High and Low with Dotted LinesThis indicator shows you the Previous Day's High and Low
Cycles
RSI %20 Change rsı ın yatay piyasa da hareket ederken anlık genişleme yapması durumun da bu da %20 dir beyAZ MUMLA BELİRTİR. RSI 70 ve 26 dını yuları kestiğin de bunları belirtir ve ema 50 ve 200 kullanılmıstır. fikirlerinizi merak ediyorum yorum yaparsanız sevinirim. bol lazançlar
SMA MTF Diff [Screener]Indicador que calcula y muestra la diferencia porcentual entre la SMA 200 en timeframe de 1 minuto y la SMA 50 en timeframe de 5 minutos.
Un valor positivo indica que la SMA 200 1m está por encima de la SMA 50 5m.
Ejemplo: Un valor de 5 significa que la SMA 200 1m está 5% por encima de la SMA 50 5m.
AdibXmos// © AdibXmos
//@version=5
indicator('Sood Indicator V2 ', overlay=true, max_labels_count=500)
show_tp_sl = input.bool(true, 'Display TP & SL', group='Techical', tooltip='Display the exact TP & SL price levels for BUY & SELL signals.')
rrr = input.string('1:2', 'Risk to Reward Ratio', group='Techical', options= , tooltip='Set a risk to reward ratio (RRR).')
tp_sl_multi = input.float(1, 'TP & SL Multiplier', 1, group='Techical', tooltip='Multiplies both TP and SL by a chosen index. Higher - higher risk.')
tp_sl_prec = input.int(2, 'TP & SL Precision', 0, group='Techical')
candle_stability_index_param = 0.5
rsi_index_param = 70
candle_delta_length_param = 4
disable_repeating_signals_param = input.bool(true, 'Disable Repeating Signals', group='Techical', tooltip='Removes repeating signals. Useful for removing clusters of signals and general clarity.')
GREEN = color.rgb(29, 255, 40)
RED = color.rgb(255, 0, 0)
TRANSPARENT = color.rgb(0, 0, 0, 100)
label_size = input.string('huge', 'Label Size', options= , group='Cosmetic')
label_style = input.string('text bubble', 'Label Style', , group='Cosmetic')
buy_label_color = input(GREEN, 'BUY Label Color', inline='Highlight', group='Cosmetic')
sell_label_color = input(RED, 'SELL Label Color', inline='Highlight', group='Cosmetic')
label_text_color = input(color.white, 'Label Text Color', inline='Highlight', group='Cosmetic')
stable_candle = math.abs(close - open) / ta.tr > candle_stability_index_param
rsi = ta.rsi(close, 14)
atr = ta.atr(14)
bullish_engulfing = close < open and close > open and close > open
rsi_below = rsi < rsi_index_param
decrease_over = close < close
var last_signal = ''
var tp = 0.
var sl = 0.
bull_state = bullish_engulfing and stable_candle and rsi_below and decrease_over and barstate.isconfirmed
bull = bull_state and (disable_repeating_signals_param ? (last_signal != 'buy' ? true : na) : true)
bearish_engulfing = close > open and close < open and close < open
rsi_above = rsi > 100 - rsi_index_param
increase_over = close > close
bear_state = bearish_engulfing and stable_candle and rsi_above and increase_over and barstate.isconfirmed
bear = bear_state and (disable_repeating_signals_param ? (last_signal != 'sell' ? true : na) : true)
round_up(number, decimals) =>
factor = math.pow(10, decimals)
math.ceil(number * factor) / factor
if bull
last_signal := 'buy'
dist = atr * tp_sl_multi
tp_dist = rrr == '2:3' ? dist / 2 * 3 : rrr == '1:2' ? dist * 2 : rrr == '1:4' ? dist * 4 : dist
tp := round_up(close + tp_dist, tp_sl_prec)
sl := round_up(close - dist, tp_sl_prec)
if label_style == 'text bubble'
label.new(bar_index, low, 'BUY', color=buy_label_color, style=label.style_label_up, textcolor=label_text_color, size=label_size)
else if label_style == 'triangle'
label.new(bar_index, low, 'BUY', yloc=yloc.belowbar, color=buy_label_color, style=label.style_triangleup, textcolor=TRANSPARENT, size=label_size)
else if label_style == 'arrow'
label.new(bar_index, low, 'BUY', yloc=yloc.belowbar, color=buy_label_color, style=label.style_arrowup, textcolor=TRANSPARENT, size=label_size)
label.new(show_tp_sl ? bar_index : na, low, 'TP: ' + str.tostring(tp) + ' SL: ' + str.tostring(sl), yloc=yloc.price, color=color.gray, style=label.style_label_down, textcolor=label_text_color)
if bear
last_signal := 'sell'
dist = atr * tp_sl_multi
tp_dist = rrr == '2:3' ? dist / 2 * 3 : rrr == '1:2' ? dist * 2 : rrr == '1:4' ? dist * 4 : dist
tp := round_up(close - tp_dist, tp_sl_prec)
sl := round_up(close + dist, tp_sl_prec)
if label_style == 'text bubble'
label.new(bear ? bar_index : na, high, 'SELL', color=sell_label_color, style=label.style_label_down, textcolor=label_text_color, size=label_size)
else if label_style == 'triangle'
label.new(bear ? bar_index : na, high, 'SELL', yloc=yloc.abovebar, color=sell_label_color, style=label.style_triangledown, textcolor=TRANSPARENT, size=label_size)
else if label_style == 'arrow'
label.new(bear ? bar_index : na, high, 'SELL', yloc=yloc.abovebar, color=sell_label_color, style=label.style_arrowdown, textcolor=TRANSPARENT, size=label_size)
label.new(show_tp_sl ? bar_index : na, low, 'TP: ' + str.tostring(tp) + ' SL: ' + str.tostring(sl), yloc=yloc.price, color=color.gray, style=label.style_label_up, textcolor=label_text_color)
alertcondition(bull or bear, 'BUY & SELL Signals', 'New signal!')
alertcondition(bull, 'BUY Signals (Only)', 'New signal: BUY')
alertcondition(bear, 'SELL Signals (Only)', 'New signal: SELL')
MMRI by NicoThis indicator is the same indicator created by Gregory Mannarino.
It measures risk in the market:
Extreme 300+
High 200-300
Moderate 100-200
Low 50-100
The formula is simple:
MMRI = DXY * US10Y / 1.61
The chart shows a number that represents the risk in the market at all times. It is useful to have it at all times no matter what chart you are looking.
The original indicator is here: traderschoice.net
Props to Gregory for creating this indicator which has proven to be very useful to assess the risk of the market.
Moving Averages by ComLucro - 20/50/100/200 - 2025_V01Moving Averages by ComLucro - 20/50/100/200 - 2025_V01
Moving Averages by ComLucro - 20/50/100/200 - 2025_V01 is a versatile and customizable tool for traders looking to incorporate 20, 50, 100, and 200-period Simple Moving Averages (SMA) into their technical analysis. This indicator allows traders to easily track these key moving averages directly on their charts, with customizable colors and line positions for a seamless user experience.
Key Features:
Multiple Timeframes: Displays 20, 50, 100, and 200-period SMAs, widely used in technical analysis.
Customizable Colors: Adjust the color of each SMA to match your chart’s theme and improve visibility.
Clean Visualization: Plots each moving average with distinct colors and thicknesses for clarity.
How It Works:
Choose your desired periods for the SMAs: 20, 50, 100, and 200.
Customize the line colors to enhance chart readability.
View the SMAs dynamically plotted over your chart for quick reference during analysis.
Disclaimer:
This script is intended for educational purposes only and does not constitute financial or trading advice. Use it responsibly and ensure it aligns with your trading strategies and risk management practices.
BBMA by Edwin K1. Components of the Indicator
Bollinger Bands (BB):
Middle Band (midBB): A simple moving average (SMA) of the closing price over the specified length (default = 20).
Upper Band (topBB): midBB + (BB multiplier × standard deviation).
Lower Band (lowBB): midBB - (BB multiplier × standard deviation).
How to interpret Bollinger Bands:
Extreme conditions:
Price above the upper band = overbought (potential reversal or resistance).
Price below the lower band = oversold (potential reversal or support).
Moving Averages (MA):
mahi5 and mahi10: WMAs (weighted moving averages) based on the high price.
malo5 and malo10: WMAs based on the low price.
EMA 50: Exponential moving average of the closing price over 50 periods, providing an overall trend.
How to interpret moving averages:
Shorter-term MAs (mahi5 and malo5): Indicate recent price action.
Longer-term MAs (mahi10 and malo10): Indicate broader trends.
Crossovers or alignment of these moving averages with the Bollinger Bands can signal trades.
2. Trading Signals
Extreme Upper Signals:
Condition: Either mahi5 or mahi10 crosses above the upper Bollinger Band (topBB).
Visual Cue: A red downward triangle is plotted above the bar.
Interpretation: Indicates a potential overbought condition.
Action: Consider taking a short position or closing long trades, especially if the price starts reversing.
Extreme Lower Signals:
Condition: Either malo5 or malo10 crosses below the lower Bollinger Band (lowBB).
Visual Cue: A green upward triangle is plotted below the bar.
Interpretation: Indicates a potential oversold condition.
Action: Consider taking a long position or closing short trades, especially if the price starts reversing.
3. Trading Strategy
Trend Following:
Use EMA 50:
If the price is above the EMA 50, the trend is bullish. Focus on long trades, especially when extreme lower signals occur.
If the price is below the EMA 50, the trend is bearish. Focus on short trades, especially when extreme upper signals occur.
Reversal Trading:
Watch for extreme signals (mahi or malo breaching BB bands):
Extreme Upper Signal: Enter short after confirmation of a reversal (e.g., a bearish candle forms after the signal).
Extreme Lower Signal: Enter long after confirmation of a reversal (e.g., a bullish candle forms after the signal).
Confluence with Moving Averages:
If mahi or malo aligns with the Bollinger Bands, it strengthens the signal:
For Long Trades: malo5 or malo10 near or below lowBB.
For Short Trades: mahi5 or mahi10 near or above topBB.
4. Risk Management
Always set stop-loss orders based on recent price levels:
Short Trades: Above the recent swing high or topBB.
Long Trades: Below the recent swing low or lowBB.
Use risk-reward ratios (e.g., 1:2 or 1:3) to plan exits.
5. How to Read the Chart
Look for the plotted Bollinger Bands, moving averages, and signals:
Red downward triangles: Potential short trade opportunities.
Green upward triangles: Potential long trade opportunities.
Combine these signals with trend direction (EMA 50) and candle patterns for confirmation.
By following these steps, you can make informed decisions based on the BBMA strategy.
ChatGPT can
Manual Profit/Weekly Calendar with Totalthis thik help you cal your profits , the back ground color dont select
shadowpipz macro's (Open-Source) Macro Indicator
The Macro Indicator, originally coded by toodegrees and defined by me, is a powerful tool designed to track and visualize key market cycles and shifts within specific timeframes. It highlights areas of significant market activity, allowing traders to identify potential reversals, continuations, or liquidity zones.
How to Use:
Time-Specific Analysis:
The indicator highlights specific time intervals (e.g., 8:20–8:40, 9:20–9:40), marking key zones of price movement. These zones are defined based on the Macro concept, which identifies significant price actions within specific windows of time.
Trend Reversals and Continuation:
Use the highlighted Macro zones to detect potential trend reversals or momentum continuations based on price behavior around these intervals.
Confluence with Other Tools:
Combine the indicator with other tools such as support/resistance levels, candlestick patterns, or momentum oscillators for enhanced trade confirmation.
Multi-Timeframe Application:
Apply the indicator across various timeframes to identify overlapping zones and refine your trading decisions.
Best Practices:
Observe how price interacts with the highlighted zones—these areas can act as key support or resistance points.
Utilize the indicator to monitor liquidity sweeps or potential breakout regions during specific time intervals.
Credit:
The Macro concept was defined by .
The indicator was originally coded by toodegrees.
Disclaimer:
This indicator serves as a supplementary tool and is best used alongside a comprehensive trading strategy. Ensure proper risk management for all trades.
Zero Lag Trend Signals with Heikin Ashi (MTF) [AlgoAlpha]Zero Lag Trend Signals is combined with Heikin Ashi (MTF)
Adjustable MA Crossover Strategy with Buy and Sell SignalsThe Perfect DCA Spot Trading Strategy
You buy every time you get a buy signal.
Just as an example, $50 every time. Usually, you get 3 to 4 small buy signals before you get a big move up.
I sell when I get a sell signal after a big move, or when I feel I have made enough profit. ;)
Limit order strategyThe Adaptive Trend Flow Strategy with Filters for SPX is a complete trading algorithm designed to identify traits and offer actionable alerts for the SPX index. This Pine Script approach leverages superior technical signs and user-described parameters to evolve to marketplace conditions and optimize performance.
Key Features and Functionality
Dynamic Trend Detection: Utilizes a dual EMA-based totally adaptive method for fashion calculation.
The script smooths volatility the usage of an EMA filter and adjusts sensitivity through the sensitivity enter. This allows for real-time adaptability to market fluctuations.
Trend Filters for Precision:
SMA Filter: A Simple Moving Average (SMA) guarantees that trades are achieved best while the rate aligns with the shifting average trend, minimizing false indicators.
MACD Filter: The Moving Average Convergence Divergence (MACD) adds some other layer of confirmation with the aid of requiring alignment among the MACD line and its sign line.
Signal Generation:
Long Signals: Triggered when the fashion transitions from bearish to bullish, with all filters confirming the pass.
Short Signals: Triggered while the trend shifts from bullish to bearish, imparting opportunities for final positions.
User Customization:
Adjustable parameters for EMAs, smoothing duration, and sensitivity make certain the strategy can adapt to numerous buying and selling patterns.
Enable or disable filters (SMA or MACD) based totally on particular market conditions or consumer possibilities.
Leverage and Position Sizing: Incorporates a leverage aspect for dynamic position sizing.
Automatically calculates the exchange length based on account fairness and the leverage element, making sure hazard control is in area.
Visual Enhancements: Plots adaptive fashion ranges (foundation, top, decrease) for actual-time insights into marketplace conditions.
Color-coded bars and heritage to visually represent bullish or bearish developments.
Custom labels indicating crossover and crossunder occasions for clean sign visualization.
Alerts and Automation: Configurable alerts for each lengthy and quick indicators, well matched with automated buying and selling structures like plugpine.Com.
JSON-based alert messages consist of account credentials, motion type, and calculated position length for seamless integration.
Backtesting and Realistic Assumptions: Includes practical slippage, commissions, and preliminary capital settings for backtesting accuracy.
Leverages excessive-frequency trade sampling to make certain strong strategy assessment.
How It Works
Trend Calculation: The method derives a principal trend basis with the aid of combining fast and gradual EMAs. It then uses marketplace volatility to calculate adaptive upper and decrease obstacles, creating a dynamic channel.
Filter Integration: SMA and MACD filters work in tandem with the fashion calculation to ensure that handiest excessive-probability signals are accomplished.
Signal Execution: Signals are generated whilst the charge breaches those dynamic tiers and aligns with the fashion and filters, ensuring sturdy change access situations.
How to Use
Setup: Apply the approach to SPX or other well suited indices.
Adjust person inputs, together with ATR length, EMA smoothing, and sensitivity, to align together with your buying and selling possibilities.
Enable or disable the SMA and MACD filters to test unique setups.
Alerts: Configure signals for computerized notifications or direct buying and selling execution through third-celebration systems.
Use the supplied JSON payload to integrate with broking APIs or automation tools.
Optimization:
Experiment with leverage, filter out settings, and sensitivity to find most effective configurations to your hazard tolerance and marketplace situations.
Considerations and Best Practices
Risk Management: Always backtest the method with realistic parameters, together with conservative leverage and commissions.
Market Suitability: While designed for SPX, this method can adapt to other gadgets by means of adjusting key parameters.
Limitations: The method is trend-following and can underperform in
Indicador: YAYETONIANDOv1Estrategia Básica
a. Señales de Compra
Condición principal: Aparece un triángulo verde (cambio alcista).
Confirmación adicional:
El precio cierra por encima de la línea de tendencia alcista (línea verde).
El volumen muestra un aumento (esto se puede observar con un indicador de volumen adicional o con tus propias métricas de análisis).
Ejecución: Abrir una posición larga (compra) en la apertura de la siguiente vela.
b. Señales de Venta
Condición principal: Aparece un triángulo rojo (cambio bajista).
Confirmación adicional:
El precio cierra por debajo de la línea de tendencia bajista (línea roja).
El volumen muestra un aumento (similar a la confirmación en compras).
Ejecución: Abrir una posición corta (venta) en la apertura de la siguiente vela.
Weekly 4PM GMT Open Price Lines this is to easily help identify the London fix time zone these levels are useful as there is 80% chance the level gets tagged the following day
Tiger Cobra 005+1d dddndd
dndbdbd
dndndnbd
snddbdsk;NASLSVNL"Ndsblnlb'ndllbNLBNLdbnsl'bndlbnl'bnadbldnbldn a;vnknbkaLBN
sl;snvksns l'nvksnvsv
svlsnlsvns'lvnsv
sslvnslvns
' sklnl;sknlsn
lnlnlnsslfmslsmlfsmflsmfs
Smart Money Breakouts [iskess 01-02 11:05]This is an big update to the excellent Smart Money Breakout Script published in Oct 2023 by ChartPrime who, to my knowledge, was the original author.
FULL CREDIT GOES TO CHARTPRIME FOR THIS ORIGINAL WORK.
Per the moderator's rules, you will find below a meaningful, detailed self-contained description that does not rely on delegation to the open source code or links to other content. You will find in the description details on what the script does, how it does that, how to use it, and how it is original.
The "Smart Money Breakouts" indicator is designed to identify breakouts based on changes in character (CHOCH) or breaks of structure (BOS) patterns, facilitating automated trading with user-defined Take Profit (TP) level.
The indicator incorporates essential elements such as volume analysis and a data table to assist traders in optimizing their strategies.
🔸Breakout Detection:
The indicator scans price movements for "Change in Character" (CHOCH) and "Break of Structure" (BOS) patterns, signaling potential breakout opportunities in the market.
🔸User-Defined TP/SL :
Traders can customize the Take Profit (TP) and Stop Loss (SL) through the indicator settings, with these levels dynamically calculated based on the Average True Range (ATR). This allows for precise risk management and profit targets that adapt to market volatility. Traders can also select the lookback period for the TP/SL calculations.
🔸Volume Analysis and Trade Direction Specific Analysis:
The indicator includes a volume checker that provides valuable insights into the strength of the breakout, taking into account trade direction.
🔸If the volume label is red and the trade is long, it suggests a higher likelihood of hitting the Stop Loss (SL).
🔸If the volume label is green and the trade is long, it indicates a higher probability of hitting the Take Profit (TP).
🔸For short trades, a red volume label suggests a higher likelihood of hitting TP, while a green label suggests a higher likelihood of hitting SL.
🔸A yellow volume label suggests that the volume is inconclusive, neither favoring bullish nor bearish movements.
🔸Data Table:
The indicator features a data table that keeps track of the number of winning and losing trades for specific timeframes or configurations. It also shows the percentage of profits vs losses, and the overall profit/loss for the selected lookback period.
This table serves as a valuable tool for traders to analyze performance and discover optimal settings and timeframes.
The "Smart Money Breakouts" indicator provides traders with a comprehensive solution for breakout trading, combining technical analysis of changes in character and breaks of structure, volume insights, and performance tracking while dynamically adjusting TP and SL levels based on market volatility through the ATR.
This version of the script is a "significant improvement" from Chart Prime's original work in the following ways:
- A selectable range of candles for the profit/loss calculations to look back on.
- An updated table that includes the percentage of wins/losses, and and overall P&L during the selected lookback range.
- The user can now select only Long trades, Short trades, or both.
- The percentage gain/loss is now indicated for every trade on the chart.
- The user can now select a different multiplier for Stop Loss or Take Profit thresholds.
Schaff Trend Cycle TripleEach cycle (Fast, Medium, Slow) now has its own set of inputs, which are completely separate from each other, matching the format you provided in the image.
The %D Length inputs are included for each cycle, although they are not used in the current logic of the indicator. If you want to incorporate them into your indicator's functionality, you would need to add additional calculations or logic.
The source, upper and lower bands, and highlight breakouts options are also included as separate inputs, not grouped with the cycle inputs.
SChaff Trend CycleCycle Definition: This indicator uses three different cycle lengths (fast, medium, and slow) to represent short, medium, and long-term trends.
Moving Averages: Each cycle length corresponds to a Simple Moving Average (SMA). You can change ta.sma to ta.ema for Exponential Moving Averages if you prefer.
Plotting: Each MA is plotted in a different color to distinguish between the cycles visually.
YH_Simple Bollinger Bands Strategy with SL and TPThis setup ensures that Buy labels are only shown when the price is above the EMA and the MACD is positive.
Similarly, Sell labels are only shown when the price is below the EMA and the MACD is negative.
You can now change the EMA period to any value you want via the user input.
Average Candle RangeThis indicator calculates and displays the average trading range of candles over a specified period, helping traders identify volatility patterns and potential trading opportunities.
Features:
- Customizable lookback period (1-500 bars)
- Clean visual display in a top-right table overlay
- High-precision calculation showing 10 decimal places
- Real-time updates with each new bar
How it Works:
The indicator calculates the range of each candle (High - Low) and then computes the Simple Moving Average (SMA) of these ranges over your specified lookback period. The result is displayed in an easy-to-read table overlay.
Use Cases:
- Volatility Analysis: Monitor market volatility trends
- Position Sizing: Help determine position sizes based on average price movements
- Trading Strategy Development: Use as a reference for setting stop losses and take profits
- Market Phase Identification: Help identify high vs low volatility market phases
Settings:
- Lookback Period: Default is 140 bars, adjustable from 1 to 500
Note:
The indicator displays values with 10 decimal places for high-precision analysis, particularly useful in markets with small price movements.