CVD Divergence + Volume HMA RSI MACD StrategyHow the script works:
The script calculates the HMA for trend direction. The HMA (shown in orange) is used as a filter: long trades are taken only if price is above the HMA, and short trades when below.
The CVD is computed by cumulatively adding volume on up bars and subtracting volume on down bars.
Pivot routines (with the input "Pivot Length") detect swing lows/highs for both price and CVD. A bullish divergence is flagged when the price makes a lower low while the CVD makes a higher low. Similarly, a bearish divergence is flagged when the price makes a higher high while the CVD makes a lower high.
Trading is triggered when the divergence condition also agrees with the HMA filter.
Feel free to further adjust the parameters or add risk‐management/exit rules as needed for your trading style.
Göstergeler ve stratejiler
🌊 Reinhart-Rogoff Financial Instability Index (RR-FII)Overview
The Reinhart-Rogoff Financial Instability Index (RR-FII) is a multi-factor indicator that consolidates historical crisis patterns into a single risk score ranging from 0 to 100. Drawing from the extensive research in "This Time is Different: Eight Centuries of Financial Crises" by Carmen M. Reinhart and Kenneth S. Rogoff, the RR-FII translates nearly a millennium of crisis data into practical insights for financial markets.
What It Does
The RR-FII acts like a real-time financial weather forecast by tracking four key stress indicators that historically signal the build-up to major financial crises. Unlike traditional indicators based only on price, it takes a broader view, examining the global market's interconnected conditions to provide a holistic assessment of systemic risk.
The Four Crisis Components
- Capital Flow Stress (Default weight: 25%)
- Data analyzed: Volatility (ATR) and price movements of the selected asset.
- Detects abrupt volatility surges or sharp price falls, which often precede debt defaults due to sudden stops in capital inflow.
- Commodity Cycle (Default weight: 20%)
- Data analyzed: US crude oil prices (customizable).
- Watches for significant declines from recent highs, since commodity price troughs often signal looming crises in emerging markets.
- Currency Crisis (Default weight: 30%)
- Data analyzed: US Dollar Index (DXY, customizable).
- Flags if the currency depreciates by more than 15% in a year, aligning with historical criteria for currency crashes linked to defaults.
- Banking Sector Health (Default weight: 25%)
- Data analyzed: Performance of financial sector ETFs (e.g., XLF) relative to broad market benchmarks (SPY).
- Monitors for underperformance in the financial sector, a strong indicator of broader financial instability.
Risk Scale Interpretation
- 0-20: Safe – Low systemic risk, normal conditions.
- 20-40: Moderate – Some signs of stress, increased caution advised.
- 40-60: Elevated – Multiple risk factors, consider adjusting positions.
- 60-80: High – Significant probability of crisis, implement strong risk controls.
- 80-100: Critical – Several crisis indicators active, exercise maximum caution.
Visual Features
- The main risk line changes color with increasing risk.
- Background colors show different risk zones for quick reference.
- Option to view individual component scores.
- A real-time status table summarizes all component readings.
- Crisis event markers appear when thresholds are breached.
- Customizable alerts notify users of changing risk levels.
How to Use
- Apply as an overlay for broad risk management at the portfolio level.
- Adjust position sizes inversely to the crisis index score.
- Use high index readings as a warning to increase vigilance or reduce exposure.
- Set up alerts for changes in risk levels.
- Analyze using various timeframes; daily and weekly charts yield the best macro insights.
Customizable Settings
- Change the weighting of each crisis factor.
- Switch commodity, currency, banking sector, and benchmark symbols for customized views or regional focus.
- Adjust thresholds and visual settings to match individual risk preferences.
Academic Foundation
Rooted in rigorous analysis of 66 countries and 800 years of data, the RR-FII uses empirically validated relationships and thresholds to assess systemic risk. The indicator embodies key findings: financial crises often follow established patterns, different types of crises frequently coincide, and clear quantitative signals often precede major events.
Best Practices
- Use RR-FII as part of a comprehensive risk management strategy, not as a standalone trading signal.
- Combine with fundamental analysis for complete market insight.
- Monitor for differences between component readings and the overall index.
- Favor higher timeframes for a broader macro view.
- Adjust component importance to suit specific market interests.
Important Disclaimers
- RR-FII assesses risk using patterns from past crises but does not predict future events.
- Historical performance is not a guarantee of future results.
- Always employ proper risk management.
- Consider this tool as one element in a broader analytical toolkit.
- Even with high risk readings, markets may not react immediately.
Technical Requirements
- Compatible with Pine Script v6, suitable for all timeframes and symbols.
- Pulls data automatically for USOIL, DXY, XLF, and SPY.
- Operates without repainting, using only confirmed data.
The RR-FII condenses centuries of financial crisis knowledge into a modern risk management tool, equipping investors and traders with a deeper understanding of when systemic risks are most pronounced.
Trinity Multi Time Frame Trend DashboardNote: This is based on trading view indicator but I am unsure the original name or author to give recognition. If you know the name of the indicator or author then please let me know and I can update this script to give recognition.
Below is a list of the changes this code has gone through and all settings are editable.
Changes:
Changed: timeline from 5 to 3 mins for faster scalping, changed the RSI, CCI and MACD values for faster signals as well as the below to update the code to latest pine script and for optimizations.
Structure and Optimization: The original script used individual variables for each timeframe (e.g., emaFast_3min, emaFast_15min), leading to repetitive code. The latest version uses arrays (e.g., emaFast as array.new_float(7, na)) to store values for all timeframes, making the code more compact and maintainable. However, due to Pine Script limitations with loops and request.security, the calculations are unrolled (explicitly computed for each timeframe i=0 to 6) instead of using a loop for security calls.
Timeframe Handling: Removed the timeframes array in the final version (as loops couldn't be used with variable timeframes in request.security due to requiring 'simple string' arguments). Instead, hardcoded the timeframe strings ("3", "15", etc.) directly in each block. Kept timeframe_labels array for display purposes.
Volume Calculation: Precomputed volume3 for the 3M timeframe outside the blocks. For 15M and 30M, used ta.sma(volume3, 3) and ta.sma(volume3, 6) respectively, as in the original, but integrated into unrolled blocks. Renamed volume arrays to tfVolume and tfVma to avoid conflicts with built-in volume.
MACD Calculation: In the original, used to ignore the histogram. The latest version does the same but assigns to temporary variables like macd0, signal0 for each timeframe to avoid tuple assignment issues.
Trend Determination: Used arrays for all boolean conditions (e.g., isBullish as array.new_bool(7, false)). Set values in a loop, which works since no security calls are involved here.
Added Signal Row: Introduced a new row in the table labeled "Signal". For each timeframe, it shows:
"Buy" (green) if EMA, MACD, RSI, and CCI are all bullish.
"Sell" (red) if all are bearish.
"⚠" (yellow) if not fully aligned
Table Dimensions: Updated the table to 9, 8 (columns, rows) to accommodate the new "Signal" row.
Color for Signal: In the table cell for signal, added coloring: green for "Buy", red for "Sell", yellow for "⚠".
Array Declarations: Used array.new_float, array.new_bool, etc., without qualifiers to fix template errors. Initialized with na for floats/colors, false for bools, "" for strings.
Error Fixes: Resolved various syntax/type issues, such as avoiding series in array templates, ensuring 'simple string' for timeframes in request.security, and proper tuple unpacking for MACD.
Overall Code Length: The latest version is longer due to unrolled calculations but more robust and error-free.
ATR Circle PlotTitle: ATR Circle Plot
Short Title: ATR Circle Plot
Description:
ATR Circle Plot is a dynamic overlay indicator that visualizes volatility-based levels around the open price of each bar, using the Average True Range (ATR). It plots two customizable levels—Upper and Lower ATR—calculated by multiplying the ATR by a user-defined factor (default: 1.0) and adding/subtracting it from the open price. These levels are displayed as colored circles on the chart, ideal for identifying potential breakout or stop-loss zones. A movable table summarizes the ATR value, Upper Level, and Lower Level with tick precision, and a new toggleable label feature displays these values directly on the chart for quick reference.
Perfect for traders in volatile markets like forex, futures, or stocks, this indicator helps set risk parameters or spot key price levels. Users can adjust the ATR timeframe, length, multiplier, table position, and circle colors to suit their strategy. The optional chart labels enhance usability by overlaying ATR metrics at the latest price levels, reducing the need to check the table during fast-moving markets.
Key Features:
Plots Upper and Lower ATR levels as colored circles around the open price.
Toggleable table (top/bottom, left/right) showing ATR and level values in ticks.
Optional chart labels for ATR, Upper, and Lower levels, toggleable via input.
Customizable ATR length, multiplier, timeframe, and colors for flexibility.
Lightweight and compatible with any chart timeframe.
How to Use:
Add the indicator to your chart and adjust the ATR length, multiplier, and timeframe as needed. Enable/disable the table or labels based on your preference. Use the Upper and Lower ATR levels as dynamic support/resistance or stop-loss guides. For example, place stops beyond the Upper/Lower levels or target breakouts when price crosses them. Combine with trend or momentum indicators for a robust setup.
Note: Leave the ATR Timeframe input empty to use the chart’s timeframe, or specify a higher timeframe (e.g., “D” for daily) for broader volatility context. Ensure your chart’s tick size aligns with the asset for accurate table values.
Tags: ATR, volatility, support resistance, stop loss, table, labels, breakout
Category: Volatility
Bollinger Levels Table - Horizontal Support Zones✅ Summary of Code Updates
1. Extended Horizontal Support Lines (Persistent):
Instead of redrawing new lines on every bar, we now:
Created four line variables using var to hold the horizontal support levels (BB20 Mid, BB20 Lower, BB50 Mid, BB50 Lower).
Used line.new() only once for each level to initialize the lines.
Enabled extend=extend.both to make the lines stretch across the full chart (both left and right).
2. Dynamic Value Updates (Live Adjustment):
On every bar update, line.set_y1() and line.set_y2() are used to adjust the Y-values of each line based on the current Bollinger Band calculations, keeping the lines accurately aligned with the indicator values.
3. Cleaner and More Efficient Rendering:
Reduced overhead by avoiding multiple line.new() calls which would clutter the chart.
Ensured that horizontal levels persist and dynamically reflect any changes in timeframe or price action.
🧪 Yuri Garcia Smart Money Strategy FULL (Slope Divergence))📣 Yuri Garcia – Smart Money Strategy FULL
This is my private Smart Money Concept strategy, designed for my family and community to learn, trade, and grow sustainably.
🔑 How it works:
✅ Volume Cluster Zones: Automatically detects areas where strong buyers or sellers concentrate, acting as dynamic S/R levels.
✅ HTF Institutional Zones (4H): Higher timeframe trend filter ensures you’re always trading in the direction of major flows.
✅ Wick Pullback Filter: Confirms price rejects the zone, catching smart money traps and reversals.
✅ Cumulative Delta (CVD): Confirms whether buyers or sellers are truly in control.
✅ Slope-Based Divergence: Optional hidden divergence between price & CVD to spot reversals others miss.
✅ ATR Dynamic SL/TP: Adapts stop loss and take profit to live volatility with adjustable risk/reward.
🧩 Visual Markers Explained:
🟦 Blue X: Price inside HTF zone
🟨 Yellow X: Price inside Volume Cluster zone
🟧 Orange Circle: Wick pullback detected
🟥 Red Square: CVD confirms order flow strength
🔼 Aqua Triangle Up: Bullish slope divergence
🔽 Purple Triangle Down: Bearish slope divergence
🟢 Green Triangle Up: Final Long Entry confirmed
🔴 Red Triangle Down: Final Short Entry confirmed
⚡ Who is this for?
This strategy is best suited for traders who understand smart money concepts, order flow, and want an adaptive framework to trade major assets like BTC, Gold, SP500, NASDAQ, or FX pairs.
🔒 Important
Use responsibly, backtest extensively, and combine with solid risk management. This is for educational purposes only.
✨ Credits
Built with ❤️ by Yuri Garcia – dedicated to my family & community.
✅ How to use it
1️⃣ Add to chart
2️⃣ Adjust inputs for your asset & timeframe
3️⃣ Enable/disable slope divergence filter to match your style
4️⃣ Set your alerts with built-in conditions
Day Trading Buy/Sell (EMA+RSI+VWAP)This is designed for quick day trading signals but still filters out some noise.
Extreme Zone Volume ProfileExtreme Zone Volume Profile (EZVP) is a high-resolution, percentile-based volume profile tool designed for intuitive market structure analysis. Unlike standard profiles, EZVP emphasizes extreme zones — highlighting potential value rejection or accumulation areas using user-defined percentile thresholds.
Key Features:
Custom Lookback: Profiles volume over a defined number of bars (no rolling memory creep).
Zoned Percentiles: Segment volume by zones:
Zone B = extreme tails (e.g. 2.5% for one wing of ~2 Standard Deviations)
Zone A = outer wings (e.g. 14% for one wing of ~1 Standard Deviations)
Center = remaining bulk of traded volume
Rightward-Growing Bars: Clean, forward-facing display — avoids clutter in historical areas.
Colored Volume Bars: Each zone gets a distinct tone, helping spot high-interest levels fast.
Optional Lines: Toggle POC, Median, Mean, and zone boundary lines for cleaner setups.
This is built for clarity and control — a great fit for traders who want a visually expressive profile without overcomplication. Tweak the zoning percentages to match your strategy or instrument volatility.
Prev Day High/Low + 15min Range Boxes//@version=5
indicator("Prev Day High/Low + 15min Range Boxes (Next Day Display)", overlay=true, dynamic_requests=true)
rth_tz = "America/New_York"
rth_start = timestamp(rth_tz, year, month, dayofmonth, 9, 30)
rth_end = timestamp(rth_tz, year, month, dayofmonth, 16, 0)
// Get 15-minute data
= request.security(syminfo.tickerid, "15", )
// Define yesterday's RTH
curr = time("15")
prev = curr - 24 * 60 * 60 * 1000
yesterday_start = timestamp(rth_tz, year(prev), month(prev), dayofmonth(prev), 9, 30)
yesterday_end = timestamp(rth_tz, year(prev), month(prev), dayofmonth(prev), 16, 0)
// Collect yesterday's RTH extremes
var float prevHigh = na
var float prevLow = na
var int prevHighTime = na
var int prevLowTime = na
var float prevHighBody = na
var float prevLowBody = na
inRTH_yesterday = time15 >= yesterday_start and time15 <= yesterday_end
if inRTH_yesterday
if na(prevHigh) or hi15 > prevHigh
prevHigh := hi15
prevHighTime := time15
prevHighBody := na
if na(prevLow) or lo15 < prevLow
prevLow := lo15
prevLowTime := time15
prevLowBody := na
// Capture the body of the next 15m candle after the extremes
highNextCond = not na(prevHighTime) and time15 == prevHighTime + 15 * 60 * 1000
lowNextCond = not na(prevLowTime) and time15 == prevLowTime + 15 * 60 * 1000
if highNextCond
prevHighBody := math.max(op15, cl15)
if lowNextCond
prevLowBody := math.min(op15, cl15)
// ⏱ Today’s RTH
today_start = timestamp(rth_tz, year, month, dayofmonth, 9, 30)
today_end = timestamp(rth_tz, year, month, dayofmonth, 16, 0)
inRTH_today = time >= today_start and time <= today_end
// Draw the yellow boxes on current RTH using previous day’s high/low
var box highBox = na
var box lowBox = na
if inRTH_today and not na(prevHigh) and not na(prevHighBody)
if na(highBox)
highBox := box.new(left=today_start, right=today_end, top=prevHigh, bottom=prevHighBody,
xloc=xloc.bar_time, border_color=color.yellow, bgcolor=color.new(color.yellow, 70), border_width=1)
if inRTH_today and not na(prevLow) and not na(prevLowBody)
if na(lowBox)
lowBox := box.new(left=today_start, right=today_end, top=prevLowBody, bottom=prevLow,
xloc=xloc.bar_time, border_color=color.yellow, bgcolor=color.new(color.yellow, 70), border_width=1)
Daily EMAs (8, 21 & 50) with BandDescription:
This script plots the Daily EMAs (8, 21, and 50) on any intraday or higher timeframe chart. It provides a clear, multi-timeframe view of market trends by using daily exponential moving averages (EMAs) and a dynamic visual band. I use this on the major indexes to decide if I should be mostly longing or shorting assets.
-In addition to identifying the trend structure, the 8-Day EMA often serves as a key area where buyers or sellers may become active, depending on the market direction:
-In an uptrend, the 8 EMA can act as a dynamic support zone, where buyers tend to re-enter on pullbacks.
-In a downtrend, the same EMA may act as resistance, where sellers become more aggressive.
-The script also includes a colored band between the 8 and 21 EMAs to highlight the short-term trend bias:
-Green fill = 8 EMA is above the 21 EMA (bullish structure).
Blue fill = 8 EMA is below the 21 EMA (bearish structure).
The 50-Day EMA is included to give additional context for intermediate-term trend direction.
Features:
- Daily EMA levels (8, 21, and 50) calculated regardless of current chart timeframe.
- 8 EMA acts as a potential buyer/seller zone based on trend direction.
- Color-coded band between 8 and 21 EMAs:
- Green = Bullish short-term bias
- Blue = Bearish short-term bias
- Customizable price source and EMA offset.
- Suitable for trend trading, pullback entries, and higher-timeframe confirmation.
Use Cases:
Identify key dynamic support/resistance areas using the 8 EMA.
Assess short-, medium-, and intermediate-term trend structure at a glance.
Enhance confluence for entry/exit signals on lower timeframes.
TBMC CloudsTBMC Clouds translates the Triple Banded Momentum Cloud (TBMC) into a normalized, non-overlay format, plotting the relationship between your base, trend, and signal moving averages in units of standard deviations. This reveals how far each element diverges from its context — not just in price, but in volatility-adjusted terms.
Trend Cloud: (Trend MA − Base MA) / stdev of Base
Signal Cloud: (Signal MA − Trend MA) / stdev of Trend
Close Line: (Price − Signal MA) / stdev of Signal
Each component is normalized by its own timeframe’s standard deviation, making this chart ideal for comparing momentum intensity and trend distance across multiple horizons. Horizontal bands at configurable thresholds (e.g., ±1, ±2, ±3 stdev) act as reference levels for extension, mean reversion, or volatility breakout logic.
Force Acheteurs vs VendeursRSI Money Flow and Obv. Working like an RSI so above 70 it's buyers who control the flow and below 30 it's the seller.
Supertrend StrategySupertrend Strateg BTCUSD
This is a trend-following strategy using the Supertrend indicator to identify market direction shifts. Here's the core logic:
Indicator Calculation:
Uses Supertrend with:
10-period ATR (volatility measurement)
3.0 multiplier (determines distance from price)
Entry Signals:
Long Entry: When Supertrend flips from downtrend (-1) to uptrend (1)
Short Entry: When Supertrend flips from uptrend (1) to downtrend (-1)
Position Management:
15% of equity risked per trade
Only 1 active position allowed (no pyramiding)
Auto-exits previous position on reversal signal
Visualization:
Price chart: Green/red Supertrend line showing current trend
Separate pane: Purple equity curve tracking performance
In essence:
The strategy goes long when a new uptrend is confirmed, goes short when a new downtrend starts, and holds only one position at a time. It aims to capture sustained trends while minimizing false signals through confirmed reversals.
New chat
Triple Banded Momentum CloudTriple Banded Momentum Cloud (TBMC) is an advanced, customizable momentum indicator that blends multiple moving averages with layered volatility zones. It builds on the DBMC framework by allowing full control over the type and length of three distinct moving averages: signal, trend, and base.
Signal MA tracks short-term price momentum.
Trend MA anchors the core standard deviation bands.
Base MA provides long-term market context.
Three volatility bands (A/B/C) adapt dynamically to market conditions using user-defined standard deviation multipliers.
Momentum Cloud shades between signal and base for a directional read.
This tool is highly adaptable — suitable for trend-following, mean reversion, or volatility breakout strategies. Customization is key: choose MA types (SMA, EMA, RMA, etc.) to match your trading context.
RSI Ichimoku-like (Subchart) tohungmcThe RSI Ichimoku-like (Subchart) indicator offers a novel approach to technical analysis by uniquely combining the Relative Strength Index (RSI) with the principles of the Ichimoku Kinko Hyo system. Unlike traditional Ichimoku, which is applied to price data, this indicator innovatively uses RSI values to construct Ichimoku components (Conversion Line, Base Line, Leading Span 1, Leading Span 2, and Cloud). Displayed on a separate subchart, it provides traders with a powerful tool to analyze momentum and trend dynamics in a single, intuitive view.
Unique Features
Innovative RSI-based Ichimoku System: By applying Ichimoku calculations to RSI instead of price, this indicator creates a momentum-driven trend analysis framework, offering a fresh perspective on market dynamics.
Cloud Visualization: The cloud (formed between Leading Span 1 and 2) highlights bullish (green) or bearish (red) momentum zones, helping traders identify trend strength and potential reversals.
Customizable Parameters: Adjust RSI and Ichimoku periods to suit various trading styles and timeframes.
Subchart Design: Keeps your price chart clean while providing a dedicated space for momentum and trend analysis.
Components
RSI Line: A 14-period RSI (customizable) plotted in blue, with overbought (70) and oversold (30) levels marked for quick reference.
Conversion Line: Average of the highest and lowest RSI over 9 periods, acting as a short-term momentum indicator.
Base Line: Average of the highest and lowest RSI over 26 periods, serving as a medium-term trend guide.
Leading Span 1: Average of Conversion and Base Lines, shifted forward 26 periods.
Leading Span 2: Average of the highest and lowest RSI over 52 periods, shifted forward 26 periods.
Cloud: The area between Leading Span 1 and 2, colored green (bullish) when Span 1 is above Span 2, and red (bearish) when Span 2 is above Span 1.
How to Use
Momentum Analysis:
Monitor the RSI line for overbought (>70) or oversold (<30) conditions to spot potential reversals.
A RSI crossing above 30 or below 70 can indicate shifts in momentum.
Trend Identification:
When the RSI is above the cloud and the cloud is green, it suggests bullish momentum.
When the RSI is below the cloud and the cloud is red, it indicates bearish momentum.
Crossovers:
RSI crossing above the Conversion or Base Line may signal bullish opportunities, especially if aligned with a green cloud.
RSI crossing below these lines may suggest bearish opportunities, particularly with a red cloud.
Cloud Breakouts:
A RSI breaking through the cloud can signal a potential trend change, with the cloud’s color indicating the direction.
Customization:
Adjust the RSI Period (default: 14), Conversion Line Period (default: 9), Base Line Period (default: 26), and Leading Span 2 Period (default: 52) to match your trading timeframe or strategy.
Settings
RSI Period: Default 14. Increase for smoother signals or decrease for higher sensitivity.
Conversion Line Period: Default 9. Adjust for short-term momentum sensitivity.
Base Line Period: Default 26. Modify for medium-term trend analysis.
Leading Span 2 Period: Default 52. Tune for long-term trend context.
Why Closed Source?
The unique methodology of applying Ichimoku calculations to RSI, combined with optimized subchart visualization, represents a proprietary approach to momentum and trend analysis. Protecting the source code ensures the integrity of this innovative concept while allowing traders worldwide to benefit from its functionality.
Notes
This indicator does not generate explicit Buy/Sell signals, giving traders flexibility to interpret signals based on their strategies.
Best used in conjunction with other technical tools (e.g., support/resistance, candlestick patterns) for confirmation.
Suitable for all timeframes, from intraday to long-term trading.
Double Banded Momentum CloudDouble Banded Momentum Cloud (DBMC) extends the logic of BMC by layering two volatility bands around a moving average to create stacked momentum thresholds. It compares a fast Exponential Moving Average (EMA) to a slow Simple Moving Average (SMA), while introducing inner and outer bands based on standard deviation multipliers.
SMA defines the central trend anchor.
EMA captures short-term price momentum.
Band A (inner) represents normal volatility range.
Band B (outer) flags extended or extreme conditions.
Momentum Cloud between EMA and SMA visualizes bias.
By observing how the EMA interacts with these bands, traders can distinguish between ordinary momentum and more aggressive or potentially exhausted moves.
The Trend Bot🤖 The Trend Bot — Advanced Trend Following Strategy
The Trend Bot is a sophisticated algorithmic trading strategy designed to capitalize on market trends by combining multiple timeframe analysis with dynamic signal generation. This strategy is built for traders who want to follow the path of least resistance while maintaining disciplined risk management.
✨ Key Features:
Multi-Timeframe Confluence : Utilizes higher timeframe trend analysis to filter trades and ensure alignment with the broader market direction
Dynamic Signal System : Generates precise entry signals based on momentum shifts and trend confirmation
Intelligent Take Profit : Automatically identifies optimal exit points based on trend reversal patterns
Real-Time Performance Tracking : Built-in performance table displaying key metrics including net profit, win rate, maximum drawdown, and profit factor
Customizable Visual Elements : Fully customizable colors and display options for personalized chart presentation
📊 What It Does:
The Trend Bot monitors market structure and momentum to identify high-probability trading opportunities. It combines short-term price action signals with longer-term trend analysis to ensure trades are taken in the direction of the prevailing market trend. The strategy automatically manages both entries and exits, removing emotional decision-making from your trading process.
🎯 Perfect For:
Swing traders looking for trend-following opportunities
Traders who prefer systematic, rule-based approaches
Those seeking to reduce emotional trading decisions
Both manual and automated trading setups
⚙️ Customization Options:
Adjustable timeframe filters for different trading styles
Customizable visual alerts and notifications
Flexible display settings for optimal chart presentation
Color-coded trend and signal visualization
📈 Built-in Analytics:
Track your strategy performance with real-time metrics including profit factor, win rate, total trades, and maximum drawdown — all displayed in an elegant, customizable table directly on your chart.
Note: Past performance does not guarantee future results. Always test strategies thoroughly and manage risk appropriately.
Banded Momentum CloudBanded Momentum Cloud (BMC) is a visual momentum indicator that blends trend-following averages with volatility-based thresholds. It compares a fast Exponential Moving Average (EMA) to a slower Simple Moving Average (SMA), while using a standard deviation band around the SMA to define momentum boundaries.
SMA provides the baseline trend.
EMA responds faster and highlights momentum shifts.
Standard Deviation Bands (above and below SMA) act as adaptive thresholds.
Momentum Cloud fills the space between the EMA and SMA to illustrate the directional bias and intensity.
When the EMA pushes beyond the upper or lower band, it may signal increased momentum or volatility in that direction.
HBD.FIBONACCI TARAMA - TABLOThe coin has been automatically drawing Fibonacci numbers since its launch. You don't need to draw Fibonacci numbers forever. All you need to do is check the coin daily, weekly, and monthly. Additionally, 12 customizable scans have been added. Fibonacci marks the coin that touches the orange zone. Enjoy the benefits.
WLD Estrategia Compra/Venta Multi IndicadoresA BUY signal is only triggered when all the following are true:
RSI < 30
Indicates oversold territory—potential for a bounce.
MACD crossover upward
The MACD line crosses above the signal line, a bullish momentum shift.
MA50 > MA200
Confirms an overall bullish trend (Golden Cross).
Price below lower Bollinger Band
Shows price is at an extreme low (potential reversal zone).
Stochastic RSI < 20
Adds confirmation of short-term oversold condition.
When all are true simultaneously, a BUY signal is triggered.
A SELL signal is triggered when all the following are true:
RSI > 70
Indicates the asset is overbought—risk of pullback.
MACD crossover downward
The MACD line crosses below the signal line—bearish shift.
MA50 < MA200
Confirms a bearish trend (Death Cross).
Price above upper Bollinger Band
Suggests price is at an extreme high—potential exhaustion.
Stochastic RSI > 80
Confirms short-term overbought momentum.
When all conditions align, a SELL signal is triggered.
Bitcoin_1min_TF V1This indicator should be applied only to Bitcoin chart at 1minute Time Frame. It can be used on higher timeframe, however, it's accuracy has been tested only on 1 minute time frame.
For any other chart, it will not work.
Basics of this indicator comes from Price Action which then modulated with ATR, EMAs, Machine Learning from previous data and risk management to give higher accuracy and low capital drawdown.
Since this indicator gives n number of opportunities within a day, it is important to understand the impact of overtrading. So, it is advised to do a disciplined trading and set trading hours in a day to grabs the profits impactfully in a disciplined way and avoid overtrading.
Keep greed away from trading.
Thanks for using the indicator. If you find it good, support me with your positive comments and do share this indicator within your friend/family circle.
I am working on similar indicator for other chart types. Stay in touch until then.
How to use the Indicator-
1. It gives you an indication (up/down arrow) of possible entry and also draws SL & TP line & entry line. Don't enter at the current candle when SL/TP/Entry line are moving since this is only possible entry signal.
2. On the next candle, once price reaches/crossed entry line drawn, take entry.
3. Monitor your trade and exit at SL/TP.
4. Please note, SL can trail if required.
Happy Trading.
Fib Swing Counter [A@J]Fib Swing Counter — Trade the Rhythm of the Market
This indicator automatically marks swing highs and lows with Fibonacci numbers (1, 1, 2, 3, 5, 8, 13, …), helping you track market structure, count price legs, and identify hidden order behind price movement.
Core Features:
Auto-detects pivots and labels them with the Fibonacci sequence.
Alternates between highs and lows — no repeats, no noise.
Custom reset time — start your count at the New York session open, a major news event, or your own strategic point.
Clean and simple visual display, adaptable to your chart style.
How Traders Use It:
Liquidity cycles: Spot when price is expanding or contracting in Fibonacci-driven waves.
Entry timing: Wait for setups to align with a key Fib count.
Confluence with other tools: Combine with ICT concepts, SMT divergence, supply/demand blocks, or Fibonacci retracements.
Session-based analysis: Restart the sequence everyMarket Open, Midnight, New York or London open to study price behavior from a fresh anchor point.
Whether you're into smart money concepts, price action, or algorithmic patterns, this tool adds a rhythmic layer to your analysis — because markets move with sequence, not randomness.
MCPZ - Meme Coin Price Z-Score [Da_Prof]Meme Coin Price Z-score (MCPZ). Investor preference for meme coin trading may signal irrational exuberance in the crypto market. If a large spike in meme coin price is observed, a top may be near. Similarly, if a long price depression is observed, versus historical prices, that generally corresponds to investor apathy, leading to higher prices. The MEME.C symbol allows us to evaluate the sentiment of meme coin traders. Paired with the Meme Coin Volume (MCV) and Meme Coin Gains (MCG) indicators, the MCPZ helps to identify tops and bottoms in the overall meme coin market. The MCPZ indicator helps identify potential mania phases, which may signal nearing of a top and apathy phases, which may signal nearing a bottom. A moving average of the Z-score is used to smooth the data and help visualize changes in trend. In back testing, I found a 10-day sma of the MCPZ works well to signal tops and bottoms when extreme values of this indicator are reached. The MCPZ seems to spend a large amount of time near the low trigger line and short periods fast increase into mania phases.
Meme coins were not traded heavily prior to 2020, but the indicator still picks a couple of tops prior to 2020. Be aware that the meme coin space also increased massively in 2020, so mania phases may not spike quite as high moving forward and the indicator may need adjusting to catch tops. It is recommended to pair this indicator with the MCG and MCV indicators to create an overall picture.
The indicator grabs data from the MEME.C symbol on the daily such that it can be viewed on other symbols.
Use this indicator at your own risk. I make no claims as to its accuracy in forecasting future trend changes of memes or any other asset.
Hope this is helpful to you.
--Da_Prof