Global M2 MonitorYoY change in M2s from US, China, Eurozone, and Japan.
US: 30% weight
China: 30% weight
Eurozone: 25% weight
Japan: 15% weight
These weights are approximations based on relative M2 sizes
Циклический анализ
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
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.
Close Difference of rolling candleThis is a modified version of FTFC concept.
FTFC concept look at HTF candle's direction, green or red.
This indicator calculate the closing price difference in a rolling base. For example, if now it is 3:05pm, it will show the price difference at closing between 3:05pm and 2:04pm if you use 60 mins as the setting. The moment it turn or green, it means in the last 1 hour, the candle is green. It is not tied to a time point of the HTF clock.
Monthly Drawdowns and Moves UP This script allows users to analyze the performance of a specific month across multiple years, focusing on maximum drawdowns and maximum upward moves within the selected month. The script offers the following features:
Dynamic Month Selection : Choose any month to analyze using an intuitive dropdown menu.
Maximum Drawdown and Upward Move Calculations :
Calculate the largest percentage drop (drawdown) and rise (move up) for the selected month each year.
Visual Highlights :
The selected month is visually highlighted on the chart with a semi-transparent overlay.
Dynamic Labels:
Labels display the maximum drawdown and upward move directly on the chart for better visualization.
Comprehensive Table Summary:
A table provides a year-by-year summary of the maximum drawdowns and upward moves for the selected month, making it easy to spot trends over time.
Customizable Display Options:
Toggle the visibility of drawdown labels, move-up labels, and the summary table for a clutter-free experience.
This tool is perfect for traders and analysts looking to identify seasonal patterns, assess risk and opportunity, and gain deeper insights into monthly performance metrics across years. Customize, explore, and make informed decisions with this powerful Pine Script indicator.
Master Bitcoin & Litecoin Stock To Flow (S2F) ModelMaster Bitcoin & Litecoin Stock-to-Flow (S2F) Model
This indicator visualizes the Stock-to-Flow (S2F) models for Bitcoin (BTC) and Litecoin (LTC) based on Plan B's methodology. It calculates S2F and projects price models for both assets, incorporating daily changes in circulating supply. The script is designed exclusively for daily timeframes.
Features:
LTC & BTC S2F Models:
Calculates Stock-to-Flow values for both assets using daily new supply and circulating supply data.
Models S2F values with a customizable multiplier for precise adjustments.
500-Day Moving Average Models:
Smoothens the S2F model by applying a 500-day (18-month) moving average, providing a long-term trend perspective.
Customizable Inputs:
Adjust LTC and BTC multipliers to fine-tune the models.
Alert for Timeframe:
Alerts users to switch to the daily timeframe if another period is selected.
Plots:
LTC S2F Model: Blue line representing Litecoin’s calculated S2F-based price model.
BTC S2F Model: Orange line representing Bitcoin’s calculated S2F-based price model.
500-Day Avg Models: Smoothened S2F models for both LTC and BTC.
Notes:
Requires daily timeframe (1D) for accurate calculations.
Supply data is sourced from GLASSNODE:LTC_SUPPLY and GLASSNODE:BTC_SUPPLY.
Disclaimer:
This model is derived from Plan B's S2F methodology and is intended for educational and entertainment purposes only. It does not reflect official predictions or financial advice. Always conduct your own research before making investment decisions.
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.
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.
Manual Profit/Weekly Calendar with Totalthis thik help you cal your profits , the back ground color dont select
Estrategia btc 50%Mi estrategia de btc para los niveles en los que se encuentra a dia 8 de enero de 2025
World Digital Clock Original code developed by br.tradingview.com
In this update I added the Frankfurt stock exchange, left the times according to Western Europe, and added another light signal to identify whether the stock exchange is open or closed.
This indicator provides a digital clock and real-time status for major financial markets, including Tokyo, London, New York, and Frankfurt. It displays whether each market is currently OPEN or CLOSED, along with the time remaining until the market opens or closes. The indicator is designed to keep traders informed about market activity at a glance.
Key Features:
Digital Clock:
Displays the current time based on a user-defined UTC offset.
Customizable text color, size, and background color.
Market Status:
Shows whether each major market is OPEN or CLOSED.
Displays a countdown timer indicating the time remaining until the market opens or closes.
Includes markets for Tokyo, London, New York, and Frankfurt.
Color Indicators:
A green dot indicates the market is open.
A red dot indicates the market is closed.
Text colors for open and closed markets can be customized.
Customizable Layout:
Choose the table position on the chart (e.g., top right, bottom left).
Adjust text sizes for both the clock and market status.
Daylight Saving Time:
Automatically adjusts market opening and closing times based on daylight saving rules (e.g., summer and winter time).
Alerts:
Optionally triggers alerts when a market opens, keeping you updated in real-time.
Use Cases:
Perfect for day traders or swing traders who need to monitor global market activity.
Useful for keeping track of trading hours and planning strategies based on market availability.
Helps avoid trading outside active market hours, reducing slippage and volatility risks.
This versatile and customizable tool ensures you're always aware of market status and time zones, enhancing your trading efficiency and decision-making.
SPX Lin Reg with SD -1 +1 -2 +2 -3 +3 (Extented) V1.0Here is a script to plot a linear regression for a given period and add standard deviations.
SPX Lin Reg with SD -1 +1 -2 +2 (Extented) V1.0Here is a script to plot a linear regression for a given period and add standard deviations.
SPX Lin Reg with SD -1 +1 (Extented) V 1.0Here is a script to plot a linear regression for a given period and add standard deviations.
SPX Lin Reg with SD -1 +1 V1.0
110 / 5 000
Here is a script to plot a linear regression for a given period and add standard deviations.
21M SMA M2 Global/GOLD With OffsetA média móvel invertida de 21 meses da liquidez global em ouro apresentou alta correlação com BTC nos últimos períodos.
20, 50, 200 MA Crossover### **Description of the 20, 50, 200 MA Crossover Script**
This script is a custom **Moving Average (MA) crossover indicator** designed for TradingView. It uses three moving averages: **20-day**, **50-day**, and **200-day**, and generates **Buy** and **Sell signals** based on specific crossover conditions.
#### **Features:**
1. **Moving Averages:**
- **20 MA (Short-Term):** Tracks short-term price trends (green line).
- **50 MA (Mid-Term):** Tracks medium-term trends (orange line).
- **200 MA (Long-Term):** Tracks long-term trends (blue line).
2. **Buy Signal:**
- Triggered when the **20 MA crosses above the 50 MA**, and the **50 MA is above the 200 MA**.
- Indicates a potential bullish trend.
3. **Sell Signal:**
- Triggered when the **20 MA crosses below the 50 MA**, and the **50 MA is below the 200 MA**.
- Indicates a potential bearish trend.
4. **Buy/Sell Labels:**
- Displays "Buy" and "Sell" labels directly on the chart at crossover points.
5. **Alerts:**
- Alerts can be enabled to notify you of Buy or Sell signals.
---
### **Use Cases:**
- Helps traders identify short-term and long-term trends.
- Useful for swing trading, day trading, or identifying key market movements.
- Provides visual and actionable signals directly on the chart.
This script is ideal for traders who want to automate trend detection using the popular 20, 50, and 200 moving averages. 🚀