Advanced Algorithmic StrategyA AID for Traders!
PineScript is designed for technical analysis calculations and algorithmic trading based on defined rules. Instead of AI, this script uses an algorithmic approach to generate signals. Here’s how it works:
Calculates Standard Indicators
It computes well-known technical indicators: EMA, RSI, and MACD.
Defines Simple Rules
It checks basic conditions for each indicator (e.g., Is price above the MA? Did RSI cross below the oversold level? Did the MACD line cross its signal line?).
Combines Signals
It counts how many of these simple bullish or bearish conditions are true at the same time.
Applies a Threshold
It generates a final Buy or Sell signal only if the count of agreeing signals meets the confirmationThreshold you set in the inputs.
So, it’s not learning or adapting like an AI model. It’s executing a predefined set of rules based on multiple indicator conditions to create what aims to be a more robust trading signal than relying on just one indicator. People sometimes refer to complex rule-based systems like this as “AI-inclusive” in a broader sense, but it’s more accurately described as an algorithmic strategy.
Explanation of the Code:
//version=6
Specifies that the script uses PineScript version 6.
indicator(…)
Declares the script as an indicator, gives it a name (“Advanced Algorithmic Strategy”), a short title (“AAS”) for the chart legend, and sets overlay=true to draw directly on the main price chart.
User Inputs (input.*)
Allows you to customize the lengths for the EMA, RSI, and MACD indicators without modifying the code directly.
Sets the RSI overbought and oversold levels.
confirmationThreshold: This is a key input. It determines how many of the individual signals (MA crossover, RSI crossover, MACD crossover) must agree before a buy or sell signal is generated. A value of 1 makes it very sensitive (any signal triggers), while 3 makes it very conservative (all three must agree).
Calculations
ta.ema(): Calculates the Exponential Moving Average.
ta.rsi(): Calculates the Relative Strength Index.
ta.macd(): Calculates the MACD line, signal line, and histogram.
Signal Conditions
Checks simple conditions: Is the price above or below the MA?
ta.crossunder()/ta.crossover(): Detects when one value crosses over or under another. We use these for RSI crossing its thresholds and the MACD line crossing its signal line.
Combine Signals
longConfirmationCount and shortConfirmationCount: These variables count how many individual buy or sell conditions are met on the current bar.
enterLong / enterShort: These boolean variables become true only if the number of confirmed signals (longConfirmationCount or shortConfirmationCount) meets or exceeds the confirmationThreshold set by the user.
Plotting
plot(): Draws the EMA line on the chart.
plotshape(): Draws shapes on the chart when entry/exit conditions are met. enterLong draws a green triangle below the bar, and enterShort draws a red triangle above the bar. location.belowbar and location.abovebar place the shapes relative to the price bars.
Alerts (alertcondition)
Allows you to create alerts based on the enterLong and enterShort conditions directly from the TradingView alert creation menu.
How it Works for Entry/Exit
Entry (Buy): A buy signal (green triangle) appears when the required number of bullish conditions (confirmationThreshold) are met simultaneously. For example, if the threshold is 2, a signal might appear if the price closes above the MA and the MACD line crosses above its signal line.
Exit (Sell): A sell signal (red triangle) appears when the required number of bearish conditions (confirmationThreshold) are met simultaneously. This could indicate a potential exit for a long position or an entry for a short position. For example, if the threshold is 2, a signal might appear if the price closes below the MA and the RSI crosses down through the overbought level.
Indikatoren und Strategien
Big Wave Stock Signal RevisedDescription(説明文)
【改良版 大波株サインツール】
Big Wave Stock Signal Revised
This script is available as an **invite-only script with open access**, meaning users can apply and use it freely on charts, but the **source code remains hidden** to protect proprietary logic.
---
### Signal Logic Summary
This tool is a **revised version** of the original Big Wave Stock Signal Tool, built to detect high-quality trend breakouts using a combination of:
#### 1. Perfect Order Condition
- Across **three timeframes**: 1H, 4H, and Daily
- EMA(20) > EMA(80) > EMA(200) alignment on all three
#### 2. Ascending Triangle Pattern Detection
- Detects patterns using pivot high/low structure
- Valid when:
- Upper resistance (top line) is flat (within tolerance)
- Higher lows are forming (pivot lows are ascending)
#### 3. Breakout Confirmation
- Final signal fires when price **breaks above the top of the triangle**
- Only triggers if **all timeframes confirm trend alignment**
---
### Entry/Exit Logic
- **Buy Signal** (Blue Up Arrow):
- Detected when triangle breakout + multi-timeframe perfect order occur simultaneously
- Entry price, stop price, and target price are calculated
- Stop = EMA80 on 1H; Target = based on risk/reward ratio
- **Exit Signal** (Red Down Arrow):
- Automatically shown when price hits either the stop loss or the target
- Position tracking is internal; no manual input needed
---
### Features
- Multi-timeframe trend validation (1H, 4H, Daily)
- Ascending triangle detection using pivot logic
- Automatic simulated entry/exit management
- Configurable risk/reward, EMA periods, tolerance
- Alerts for both buy and close signals
- Visual guide for triangle top and key EMAs
---
### Why the Source Code Is Hidden
This script is used within a structured educational trading program and contains custom logic that combines price action with multi-timeframe structure and pattern recognition.
To protect intellectual property and avoid unapproved copying, the source code is kept private.
However, **the full signal logic is transparently described above** for users to understand what the script does.
Big Wave Stock Signal ToolDescription(説明文)
【大波株サインツール】
Big Wave Stock Signal Tool
This script is published as an **invite-only script** with **open access** to its chart usage.
While the source code is not visible, the logic and structure are fully documented below.
---
### What It Does (Signal Logic)
**Buy Signal (Wave Start):**
- EMA21 (medium-term) crosses above SMA80 (long-term) → Golden Cross
- WMA10 (short-term) is sloping upward
- EMA21 is also sloping upward
- MA alignment is valid: **WMA10 > EMA21 > SMA80**
- Daily candlestick is bullish (Close > Open)
- (Optional filters: weekly bullish candle, volume > average, RSI > 50)
**Sell Signal (Wave End):**
- WMA10 crosses below EMA21
- This indicates the end of a wave and exits the trend mode
This logic is intended to capture strong medium-term bullish trends and reduce whipsaw entries through multiple filters:
**trend slope**, **price structure**, and **MA alignment**.
---
### Features
- Signal arrows plotted directly on the chart
- Alerts supported for both buy/sell signals
- Moving averages (WMA10 / EMA21 / SMA80) are drawn for visual reference
- Modular design: filters (RSI, volume, weekly) can be toggled as needed
- Built-in wave mode logic: signals only appear when a new wave starts or ends
---
### Source Code Visibility
This script is distributed under **invite-only status** to protect the proprietary structure used in our educational programs.
While the full logic is described above, the source code is kept private to prevent unauthorized distribution or replication.
EMA Break & Retest + Trend TableThis script, titled "EMA Break & Retest + Trend Table", is designed for use on the TradingView platform to help traders identify potential buy and sell signals based on the Exponential Moving Average (EMA), with an added focus on multi-timeframe analysis and a trend table for easy visualization.
Here's a breakdown of the script:
1. User Inputs:
EMA Length (emaLength): The period for calculating the Exponential Moving Average (EMA). By default, this is set to 21 periods.
Source (src): The data source for the EMA (by default, it uses the closing price of the candle).
Show Buy Signal (showBuy): A toggle to show buy signals on the chart.
Show Sell Signal (showSell): A toggle to show sell signals on the chart.
EMA Color (emaColor): The color for the EMA line on the chart.
EMA Line Thickness (emaWidth): The thickness of the EMA line for better visualization.
2. EMA Calculation:
The script calculates the EMA using the defined emaLength and plots it on the chart as a line. The EMA is a common indicator used to smooth out price data and identify trends.
Plot: The EMA is plotted in orange with a width defined by emaWidth.
3. Break & Retest Logic:
Broke Above (brokeAbove): This condition checks if the price has crossed above the EMA, then retested it and stayed above the EMA. This indicates a potential bullish trend.
Broke Below (brokeBelow): This condition checks if the price has crossed below the EMA, then retested it and stayed below the EMA. This indicates a potential bearish trend.
Buy Signal (buySignal): If the price has broken above the EMA and is currently above it, the script will generate a "BUY" signal.
Sell Signal (sellSignal): If the price has broken below the EMA and is currently below it, the script will generate a "SELL" signal.
4. Plot Buy/Sell Signals:
Buy Signal (plotshape for Buy): If the buySignal is true and the user has enabled it (showBuy), a green "BUY" label will appear below the bar.
Sell Signal (plotshape for Sell): If the sellSignal is true and the user has enabled it (showSell), a red "SELL" label will appear above the bar.
5. Alert Conditions:
Buy Alert: An alert is triggered when the buy signal is active. The message includes the context: "BUY: 21 EMA break and retest confirmed to the upside."
Sell Alert: An alert is triggered when the sell signal is active. The message includes the context: "SELL: 21 EMA break and retest confirmed to the downside."
6. Multi-Timeframe Trend Table:
The script also includes a trend table in the top-right corner of the chart, showing the trend on different timeframes (Daily, 4H, 1H, 15M, and 5M). The trend is determined by the following logic:
Bullish Trend: If the price has broken above the EMA and stayed above it, or if the price is currently above the EMA without any break below.
Bearish Trend: If the price has broken below the EMA and stayed below it, or if the price is currently below the EMA without any break above.
The trend table will show the trend for each timeframe with:
Bullish: The trend will be colored green.
Bearish: The trend will be colored red.
Neutral/No Break: If no break and retest is confirmed, it will default to the current price position relative to the EMA.
7. Trend Table Structure:
The table has columns for each timeframe (Daily, 4H, 1H, 15M, and 5M) and includes:
The name of the timeframe.
The trend for each timeframe (Bullish or Bearish), colored appropriately.
The current trend signal ("BUY", "SELL", or a dash for no signal).
Trend determination for each timeframe:
The script calculates the trend for each timeframe by requesting the security data for each timeframe (using request.security) and then checking whether the price is above or below the EMA, or if it has broken and retested the EMA.
8. How It Works:
The script provides both real-time signals (for buy and sell) based on the price breaking and retesting the EMA, and it also shows the current trend for various timeframes in a table.
If the price crosses the EMA, the script will check for a "break" and "retest" to confirm the trend before issuing a buy or sell signal.
The trend table helps the trader to quickly understand the trend on multiple timeframes, making it easier to trade based on both short-term and long-term trends.
Summary:
This script combines a break-and-retest strategy with multi-timeframe analysis and provides an easy-to-read trend table for multiple timeframes. It helps traders visualize where the market is trending across different timeframes and offers signals when a price breaks and retests the EMA 21. This script can be especially useful for traders who prefer to take advantage of trend reversals or pullbacks, using the EMA as a dynamic support/resistance level.
Multi-Timeframe RSI Overbought/Oversold Stackmakes a small GUI that shows RSI levels for 5min, 15min, 1hr, 4hr and 1day. if over sold or over bought.
Q-Tou ScouterDescription(説明文)
【Q騰スカウター】
(Q-Tou Scouter)
This script is part of an exclusive premium course offered through a paid investment web school.
It is specifically designed to detect **high-confidence bullish breakout signals** using Ichimoku Cloud logic, combined with optional smoothing techniques for professional-level analysis.
---
### Signal Logic
A bullish signal is generated **only when price breaks above either Leading Span 1 or Leading Span 2** of the Ichimoku Cloud.
To ensure quality over quantity, the script introduces a filtering mechanism:
- **No repeated signals** are shown when price breaks the same span multiple times in a row.
→ For example, after breaking above Span 1 once, a second signal will not appear unless it breaks Span 2, and vice versa.
- **Cloud context is checked**:
- When price breaks above Span 1, the condition `Span 1 > Span 2` must also be true (indicating bullish dominance).
- When breaking above Span 2, `Span 2 > Span 1` must be true.
In short, each signal is triggered **only once per span, and only when that span is dominant** — reducing noise and false signals.
---
### Additional Features
- A configurable **25-period Simple Moving Average (SMA)** is plotted by default.
- Optional smoothing via multiple MA types:
`SMA`, `EMA`, `WMA`, `VWMA`, `SMMA`, or **SMA + Bollinger Bands** (customizable deviation).
- Signals appear as upward triangle markers **below bars** for clear visibility.
- Color customization is supported for signals.
---
### Closed Source Justification
This script is closed-source because it is used as a **member-only tool** within a **paid educational platform**.
The filtering mechanism for Ichimoku span breakouts and the structured signal logic form part of the school’s proprietary trading strategy.
Protecting the logic ensures that only enrolled students benefit from the tool and prevents misuse or unauthorized distribution.
---
**All rights reserved to the author and affiliated investment education program.**
---
### UI Translation Notes:
- "サインの色" = "Signal Color"
- "Length" = "Length (for SMA)"
- "Source" = "Source of input (default: close)"
- "スムージングの種類" = "Type of smoothing MA"
- "ボリンジャーバンド標準偏差" = "BB StdDev"
Dynamic EMA Ribbon🔹 Dynamic EMA Ribbon is a clean and powerful visual tool for analyzing market trends. This script creates a ribbon of exponential moving averages (EMAs) that stretches from a customizable starting length to an ending length.
🔸 The indicator highlights trend direction by comparing the first EMA (shortest) with the last EMA (longest):
If the first EMA is above the last → the color is green (bullish).
If the first EMA is below the last → the color is red (bearish).
🔸 Key features:
The intermediate EMAs are hidden but used to generate gradient fills, forming a ribbon-like visual structure.
The fill opacity increases progressively, helping users visually gauge trend strength.
The start EMA is plotted in blue or purple, and the end EMA is marked with green or red circles, depending on the trend.
🔹 Ideal for:
Spotting and confirming short- to medium-term trends.
Using as a visual layer underneath price action or alongside other indicators.
✏️ Customizable Inputs:
Starting EMA length
Ending EMA length
📌 Tip: Combine this ribbon with volume, support/resistance levels, or trend-following indicators for optimal setups.
Trend ChannelThis is a Pine Script code written in version 6 for creating a trend channel indicator on TradingView. The indicator is called "Trend Channel" and is credited to "NachomixCrypto." Here's an explanation of what the code does:
Input Parameters
upperMult: Multiplier for the upper channel line, default is 2.0.
lowerMult: Multiplier for the lower channel line, default is -2.0.
useUpperDev: Boolean to activate/deactivate the upper deviation line. Default is false.
useLowerDev: Boolean to activate/deactivate the lower deviation line. Default is false.
showPearson: Boolean to show or hide Pearson's correlation coefficient (R). Default is true.
extendLines: Boolean to extend the channel lines to the right. Default is false.
len: Length (number of bars) to calculate the slope and deviations, default is 50.
src: Source data for the indicator, default is "close".
Line Customization Inputs
baseColor: Color for the base (middle) channel line, default is white.
upperColor: Color for the upper channel line, default is green.
lowerColor: Color for the lower channel line, default is red.
lineThickness: Thickness of the channel lines, default is 1.
Core Functions
calcSlope(): Calculates the slope (rate of change) for the given source over a specified length. It uses the least squares method to calculate the line of best fit.
slope: The rate of change.
average: The average value of the source data.
intercept: The intercept where the line crosses the Y-axis.
calcDev(): Calculates the standard deviation and Pearson's correlation coefficient (R) for the given source. It also computes the upper and lower deviations.
stdDev: Standard deviation, representing how much the data deviates from the mean.
pearsonR: Pearson's correlation coefficient, which measures the linear correlation between the source data and the regression line.
upDev: Upper deviation (difference from the highest value).
dnDev: Lower deviation (difference from the lowest value).
Main Logic
The code then calculates the upper and lower channel lines based on the calculated slope, intercept, and deviations.
Upper and lower start prices are adjusted using the multipliers and deviations, either based on the user inputs or the standard deviation.
Base, upper, and lower lines are drawn on the chart using the calculated prices. These lines represent the trend channel.
Pearson's R Label
The Pearson's R value is displayed as a label on the chart if showPearson is true. It is positioned at the lowest point between the upper and lower lines.
Debugging Plot
A small debugging circle is plotted above the bar to indicate whether the Pearson's R is valid and being calculated.
Final Notes
The trend channel dynamically adjusts based on price action and can be extended for future price movements.
The Pearson's R value gives an indication of how well the regression line fits the price data.
Hammer and Trendline Strategy AlertsPurpose: Capture high-probability reversals or breakouts by combining multi-timeframe trendlines, candlestick patterns, risk control, and SMA confirmation.
TradingView Pine Script indicator for the Hammer and Trendline Strategy:
Auto-detection of hammers and inverted hammers
Volume spike filtering
9-SMA and 50-SMA trend confirmation
Visual chart background highlights
Alert conditions for long and short setups
Adaptable Relative Momentum Index [ParadoxAlgo]The Adaptable Relative Momentum Index (RMI) by ParadoxAlgo is an advanced momentum-based indicator that builds upon the well-known RSI (Relative Strength Index) concept by introducing a customizable momentum length. This indicator measures price momentum over a specified number of periods and applies a Rolling Moving Average (RMA) to both the positive and negative price changes. The result is a versatile tool that can help traders gauge the strength of a trend, pinpoint overbought/oversold levels, and potentially identify breakout opportunities.
⸻
Smart Configuration Feature
What sets this version of the RMI apart is ParadoxAlgo’s exclusive “Smart Configuration” functionality. Instead of manually adjusting parameters, traders can simply select their Asset Class (e.g., Stocks, Forex, Futures/Indices, Crypto, Commodities) and Trading Style (e.g., Scalping, Day Trading, Swing Trading, Short-Term Investing, Long-Term Investing). Based on these selections, the indicator automatically optimizes its core parameters:
• Length – The period over which the price changes are smoothed.
• Momentum Length – The number of bars used to calculate the price change.
By automating this process, users save time on tedious trial-and-error adjustments, ensuring that the RMI’s settings are tailored to the characteristics of specific markets and personal trading horizons.
⸻
Key Features & Benefits
1. Momentum-Based Insights
• Uses RMA to smooth price movements, helping identify shifts in market momentum more clearly than a basic RSI.
• Enhanced adaptability for a wide range of asset classes and time horizons.
2. Simple Yet Powerful Configuration
• Smart Configuration automatically sets optimal parameter values for each combination of asset class and trading style.
• Eliminates guesswork and manual recalibration when switching between markets or timeframes.
3. Overbought & Oversold Visualization
• Integrated highlight zones mark potential overbought and oversold extremes (default at 80 and 20).
• Optional breakout highlighting draws attention to times when the indicator crosses these key thresholds, helping spot possible entry or exit signals.
4. Intuitive Design & Ease of Use
• Clean plotting and color-coded signal lines make it easy to interpret bullish or bearish shifts in momentum.
• Straightforward dropdown menus keep the interface user-friendly, even for novice traders.
⸻
Practical Applications
• Early Trend Detection: Spot emerging trends when the RMI transitions from oversold to higher levels or vice versa.
• Breakout Confirmation: Confirm potential breakout trades by tracking overbought/oversold breakouts alongside other technical signals.
• Support/Resistance Confluence: Combine RMI signals with horizontal support/resistance levels to reinforce trade decisions.
• Trade Timing: Quickly gauge when momentum could be shifting, helping you time entries and exits more effectively.
⸻
Disclaimer
As with any technical indicator, the Adaptable Relative Momentum Index should be used as part of a broader trading strategy that includes risk management, fundamental analysis, and other forms of technical confirmation. Past performance does not guarantee future results.
⸻
Enjoy using the Adaptable RMI and experience a more streamlined, flexible approach to momentum analysis. Feel free to explore different asset classes and trading styles to discover which configurations resonate best with your unique trading preferences.
RSI Support & Resistance Breakouts with OrderblocksThis tool is an overly simplified method of finding market squeeze and breakout completely based on a dynamic RSI calculation. It is designed to draw out areas of price levels where the market is pushing back against price action leaving behind instances of short term support and resistance levels you otherwise wouldn't see with the common RSI.
It uses the changes in market momentum to determine support and resistance levels in real time while offering price zone where order blocks exist in the short term.
In ranging markets we need to know a couple things.
1. External Zone - It's important to know where the highs and lows were left behind as they hold liquidity. Here you will have later price swings and more false breakouts.
2. Internal Zone - It's important to know where the highest and lowest closing values were so we can see the limitations of that squeeze. Here you will find the stronger cluster of orders often seen as orderblocks.
In this tool I've added a 200 period Smoothed Moving Average as a trend filter which causes the RSI calculation to change dynamically.
Regular Zones - without extending
The Zones draw out automatically but are often too small to work with.
To solve this problem, you can extend the zones into the future up to 40 bars.
This allows for more visibility against future price action.
--------------------------------------------
Two Types of Zones
External Zones - These zones give you positioning of the highest and lowest price traded within the ranging market. This is where liquidity will be swept and often is an ultimate breaking point for new price swings.
How to use them :
External Zones - External zones form at the top of a pullback. After this price should move back into its impulsive wave.
During the next corrective way, if price breaches the top of the previous External Zone, this is a sign of trend weakness. Expect a divergence and trend reversal.
Internal Zones - (OrderBlocks) Current price will move in relation to previous internal zones. The internal zone is where a majority of price action and trading took place. It's a stronger SQUEEZE area. Current price action will often have a hard time closing beyond the previous Internal Zones high or low. You can expect these zones to show you where the market will flip over. In these same internal zones you'll find large rejection candles.
**Important Note** Size Doesn't Matter
The size of the internal zone does not matter. It can be very small and still very powerful.
Once an internal zone has been hit a few times, its often not relevant any longer.
Order Block Zone Examples
In this image you can see the Internal Zone that was untouched had a STRONG price reaction later on.
Internal Zones that were touched multiple times had weak reactions later as price respected them less over time.
Zone Overlay Breakdown
The Zones form and update in real time until momentum has picked up and price begins to trend. However it leaves behind the elements of the inducement area and all the key levels you need to know about for future price action.
Resistance Fakeout : Later on after the zone has formed, price will return to this upper zone of price levels and cause fakeouts. A close above this zone implies the market moves long again.
Midline Equilibrium : This is simply the center of the strongest traded area. We can call this the Point of Control within the orderblock. If price expands through both extremes of this zone multiple times in the future, it eliminates the orderblock.
Support Fakeout : Just like its opposing brother, price will wick through this zone and rip back causing inducement to trap traders. You would need a clear close below this zone to be in a bearish trend.
BARCOLOR or Candle Color: (Optional)
Bars are colored under three conditions
Bullish Color = A confirmed bullish breakout of the range.
Bearish Color = A confirmed bearish breakout of the range.
Squeeze Color = Even if no box is formed a candle or candles can have a squeeze color. This means the ranging market happened within the high and low of that singular candle.
ORB Conf+Disp+SessionDetermine ORB and Breakouts
Set the Session and Timeframe for the ORB
Customize the breakout conditions, colors and icons.
(US) Historical Trade WarsHistorical U.S. Trade Wars Indicator
Overview
This indicator visualizes major U.S. trade wars and disputes throughout modern economic history, from the McKinley Tariff of 1890 to recent U.S.-China tensions. This U.S.-focused timeline is perfect for macro traders, economic historians, and anyone looking to understand how America's trade conflicts correlate with market movements.
Features
Comprehensive U.S. Timeline: Covers 130+ years of U.S.-centered trade disputes with historically accurate dates.
Color-Coded Events:
🔴 Red: Marks the beginning of a U.S. trade war or major dispute.
🟡 Yellow: Highlights significant events within a trade conflict.
🟢 Green: Shows resolutions or ends of trade disputes.
Global Partners/Rivals: Tracks U.S. trade relations with China, Japan, EU, Canada, Mexico, Brazil, Argentina, and others.
Country Flags: Uses emoji flags for easy visual identification of nations in trade relations with the U.S.
Major Trade Wars Covered:
McKinley Tariff (1890-1894)
Smoot-Hawley Tariff Act (1930-1934)
U.S.-Europe Chicken War (1962-1974)
Multifiber Arrangement Quotas (1974-2005)
Japan-U.S. Trade Disputes (1981-1989)
NAFTA and Softwood Lumber Disputes
Clinton and Bush-Era Steel Tariffs
Obama-Era China Tire Tariffs
Rare Earth Minerals Dispute (2012-2014)
Solar Panel Dispute (2012-2015)
TPP and TTIP Negotiations
U.S.-China Trade War (2018-present)
Airbus-Boeing Dispute
Usage
Analyze how markets historically responded to trade war initiations and resolutions.
Identify patterns in market behavior during periods of trade tensions.
Use as an overlay with price action to examine correlations.
Perfect companion for macro analysis on daily, weekly, or monthly charts.
About
This indicator is designed as a historical reference tool for traders and economic analysts focusing on U.S. trade policy and its global impact. The dates and events have been thoroughly researched for accuracy. Each label includes emojis to indicate the U.S. and its trade partners/rivals, making it easy to track America's evolving trade relationships across time.
Note: This indicator works best on larger timeframes (daily, weekly, monthly) due to the historical span covered.
Scalper Clouds – VWAP & EMA SystemScalper Clouds – VWAP & EMA System is a complete trading tool designed for scalpers and intraday traders. It combines the Volume Weighted Average Price (VWAP) with layered EMA clouds to provide a clearer view of market trends, momentum shifts, and dynamic support/resistance zones.
EMA Clouds are displayed as shaded areas instead of lines, making trend direction and strength easier to interpret.
The system includes four customizable EMA pairs:
• EMA1 (7, 10)
• EMA2 (18, 20)
• EMA3 (34, 50)
• EMA4 (180, 200)
• VWAP Line reflects the volume-weighted average price, commonly used by institutions to determine fair value and liquidity zones throughout the trading session.
Scalping Strategy Overview:
• Price above EMA clouds + rising VWAP = potential uptrend bias.
• Price below EMA clouds + falling VWAP = potential downtrend bias.
• EMA crossovers (bullish/bearish) signal momentum shifts and trend confirmations.
The system offers full customization of EMA settings, cloud colors, and VWAP style—making it a flexible solution for different market conditions and scalping strategies.
By Hatemish
Version 1.0 | 2025
________
Scalper Clouds – VWAP و EMA للمضاربين
مؤشر متكامل يجمع بين خط VWAP (متوسط السعر المرجّح بالحجم) وسُحُب EMA (المتوسطات المتحركة الأسية) لعرض الاتجاهات بشكل أوضح وتحديد مناطق الدعم والمقاومة الديناميكية.
يتم عرض EMA على شكل "سُحُب ملونة" بدلاً من خطوط تقليدية، مما يساعد على رؤية الاتجاه والزخم بسهولة.
يحتوي النظام على 4 أزواج EMA (سُحُب) قابلة للتخصيص:
• EMA1 (7, 10)
• EMA2 (18, 20)
• EMA3 (34, 50)
• EMA4 (180, 200)
خط VWAP يستخدم من قبل المتداولين والمؤسسات لتحديد السعر العادل ومناطق السيولة خلال الجلسة.
كيفية استخدام المؤشر:
السعر أعلى من السحب مع صعود VWAP = اتجاه صاعد محتمل.
السعر أسفل السحب مع هبوط VWAP = اتجاه هابط محتمل.
تقاطعات EMA تعطي إشارات لتغير الزخم (صعودي أو هبوطي).
المؤشر مرن بالكامل، ويمكن تعديل إعدادات المتوسطات والألوان حسب أسلوب تداولك.
مناسب جداً للمضاربين اللحظيين (Scalpers) والمتداولين اليوميين.
By Hatemish
Version 1.0 | 2025
Moving Average Shift WaveTrend StrategyOverview
The Moving Average Shift WaveTrend Strategy is a trend-following and momentum-based trading system, designed to be overlayed on TradingView charts. It utilizes conditions based on volatility, session timing, trend direction, and a custom oscillator to trigger trades.
Strategy Objectives
Enter trades in the direction of the prevailing trend and exit on opposite momentum signals.
Filter out false signals using time and volatility constraints.
Employ automatic Take Profit (TP), Stop Loss (SL), and trailing stop mechanisms for risk management.
Key Features
Multiple selectable moving average (MA) types: SMA, EMA, SMMA (RMA), WMA, VWMA.
Combined filters using MA and a custom oscillator.
Time-based and volatility-based trade filtering.
[Trailing stop and custom TP/SL logic.
"In-wave" flag to prevent re-entry during the same trend wave.
Trading Rules
Long Entry Conditions:
Price is above the selected MA.
Oscillator is positive and rising.
Long-term EMA trend is upward.
Trade occurs within allowed session hours and under sufficient volatility.
Not currently in a wave.
Short Entry Conditions:
Price is below the MA.
Oscillator is negative and falling.
Long-term EMA trend is downward.
All other long entry criteria apply.
Exit Conditions:
Hit TP or SL.
Oscillator and MA provide opposing signals.
Trailing stop is triggered.
Risk Management Parameters
Pair : ETH/USD
Timeframe : 4H
Starting Capital : $3,000
Commission : 0.02%
Slippage : 2 pips
Risk per Trade : 5% of account equity (can be adjusted for sustainable practice)
Total Trades : 224 (backtested on selected dataset)
Backtesting range May 24, 2016, 05:00 — Apr 07, 2025, 17:00
Note: Risk parameters are fully configurable and should be tailored to individual trading setups and broker requirements.
Trading Parameters & Considerations
Time Filter : Trades only between 9:00 and 17:00 (exchange time)
Volatility Condition : ATR must exceed its median value
Long-Term Trend Filter : 200-period EMA
MA Settings
MA Type: SMA
Length: 40
Source: hl2
Oscillator Settings
Length: 15
Threshold: 0.5
Risk Settings
Take Profit: 1.5%
Stop Loss: 1.0%
Trailing Stop: 1.0%
Visual Support
MA and oscillator color changes offer clear visual signals.
Entry and exit points are visually represented on the chart.
Trailing stops and custom TP/SL conditions are transparently managed.
Strategy Improvements & Uniqueness
In-wave flag prevents overtrading within the same trend phase.
Sophisticated filtering through session, volatility, and trend conditions helps reduce noise.
Dynamic tracking of high/low since entry allows precise trailing stop placement.
Inspirations & Attribution
This strategy is inspired by the excellent work of:
ChartPrime – “Moving Average Shift”
Leveraging the Moving Average Shift technique for intuitive signal generation.
Summary
The Moving Average Shift WaveTrend Strategy is a robust trend-following system that operates based on the alignment of multiple filters and signals. With built-in time and volatility constraints and clear risk management logic, it minimizes the need for discretionary decision-making, offering a consistent and stable trading environment.
Bright Future Enhanced v2"Bright Future Enhanced v2" Scalping Indicator
This sophisticated Pine Script indicator combines 12+ technical tools for 5-minute scalping, featuring multi-timeframe confirmation, adaptive filters, and professional risk management. Here's the breakdown:
Core Components
Core Components
EWO Hybrid Oscillator
Dual MA ratio (3/21 EMAs or 5/34 SMAs)
Signal line with adjustable delay (3 periods)
Requires 0.05 gap threshold for valid crossover
Trend Quad-Filter System
ADX (6-period) with 25+ strength threshold
Heikin Ashi Smoothed Bias (30-period EMA)
Higher TF ADX alignment (15-min timeframe)
MA Filter (20-period EMA/SMA price position)
Momentum Confirmation
RSI (6-period) with 75/25 thresholds
CCI (6-period) with 75-level cross
Rate of Change (5-period)
Awesome Oscillator (5/34 differential)
Smart Risk Management
ATR-Based Stops
profitTarget = 1.5 * ATR(10) | stopLoss = 1 * ATR(10)
Volatility Filter
Allows trades only when ATR is between 0.3-1.2x of 14-period average
Signal Reset Logic
Cancels opposite positions on counter-signals
TFT-Price-PluseTFT Price Pluse is a multi-purpose trend analysis and momentum confirmation indicator designed for intraday and swing traders. It combines well-known trading tools—EMAs, RSI, and a multi-timeframe dashboard—with a custom-built logarithmic regression channel that adapts to price behavior dynamically.
This tool helps traders quickly assess market conditions, spot trend reversals or continuation zones, and identify dynamic support/resistance using layered confluence — all in one visual system.
🔧 Main Components & Logic
📉 Trend Structure (EMAs & SMA)
8 EMA (short-term)
21 EMA (intermediate-term)
50 SMA (medium-term)
200 EMA (long-term baseline)
Triangle markers are plotted when the 8 EMA crosses the 21 EMA — commonly used as trend-change signals.
🔁 Multi-Timeframe RSI Table
Displays RSI(14) values across six timeframes:
1m, 3m, 5m, 10m, 15m, and 30m.
Color-coded cells:
Green = RSI > 50 (bullish momentum)
Red = RSI < 50 (bearish momentum)
This feature helps traders gauge market momentum across multiple granular timeframes at a glance.
📊 Custom Log Regression Channel (Original Component)
Uses a logarithmic transformation of price and time to fit a regression line.
Calculates standard deviation from the regression line to build dynamic upper and lower deviation bands.
Displays R-squared value, a statistical measure of trend strength.
This feature acts like an adaptive trend channel with built-in volatility measurement.
🔍 Unlike simple linear regression, this model tracks exponential behavior in trending markets, making it more suitable for crypto, futures, and other fast-moving instruments.
🎯 How to Use It
1. Spot Trends with EMA Crossovers
Bullish setup: 8 EMA crosses above 21 EMA while price is above 50 SMA and 200 EMA.
Bearish setup: opposite conditions.
2. Confirm with RSI Table
All RSI cells green = higher-probability long setup.
All red = potential short trend confirmation.
Mixed RSI = trend indecision or consolidation.
3. Use Log Regression Bands
Price bouncing from lower band with bullish EMA cross = potential long entry.
Price rejecting upper band with bearish cross = potential short entry.
R² above 0.8 = strong directional conviction.
4. Alerts (optional)
Alerts can be enabled for:
EMA crossovers
RSI overbought/oversold thresholds
🧩 Attribution & Open-Source Acknowledgement
This indicator includes adapted and integrated logic from several open-source scripts published on TradingView by the community.
Features such as the RSI table, moving average crossovers, and regression math were inspired by public scripts and documentation. These components were modified and enhanced to work together as a cohesive system.
The log regression channel is uniquely implemented, combining log(price) and log(time) transformations for a statistically calculated dynamic channel.
This version is published open-source to support learning, transparency, and community improvement. You are free to study, customize, and build upon it — just credit if reused.
🚀 Who This Is For
Intraday traders needing fast visual confirmation
Futures/crypto traders wanting trend/momentum filtering
Strategy builders looking for a reliable confluence tool
Coders studying advanced regression modeling in Pine Script
💬 Tips
Works best on 1m–15m charts for active setups.
Set alerts on RSI/EMA events for automation.
Use in combination with price action or volume tools if desired.
❤️ Final Note
If you find this script helpful, follow my profile for future updates and tools.
Feedback, forks, and enhancements are welcome — let's build better together.
Pullback Long Screener - Bougie Verte 4h
This script is designed to be used within a Pullback Long Screener on TradingView.
It identifies cryptocurrencies currently displaying a green 4-hour candle (i.e., when the close is higher than the open).
The goal is to quickly detect assets in a potential bullish move, which is particularly useful for scalping.
This script is configured to work exclusively on cryptocurrencies listed on Binance as perpetual futures contracts.
The green circles displayed below the candles indicate a valid green 4-hour candle condition.
EMA Cloud with Custom MAs and RSI [deepakks444]EMA Cloud with Custom MAs and RSI
Overview
A simple yet very effective tool, this indicator combines three essential elements to help you analyze the market with ease, using inputs to customize settings like MA types, lengths, and RSI periods. It includes an EMA Cloud to identify trends, two customizable Moving Averages (MAs) to confirm those trends, and a simple RSI (Relative Strength Index) to measure momentum. The EMA Cloud creates a colored area on your chart to show the trend direction at a glance, the MAs act as a second layer of confirmation, and the RSI, displayed in a separate pane, helps you understand the strength of the price movement. This setup is perfect for traders who want a clear, straightforward way to spot trends and gauge momentum without extra complexity.
Features
EMA Cloud:
The EMA Cloud is a shaded area on your chart that makes trend spotting easy. It’s created using two 3-period EMAs (Exponential Moving Averages): one based on the candle’s high price (called the High EMA) and one based on the candle’s low price (called the Low EMA). These EMAs track the recent highs and lows over the last three candles, forming a cloud-like area between them that moves with the price.
The cloud changes color based on where the candle is compared to these EMAs, giving you a quick visual of the trend:
Green: The candle is in a strong uptrend. This happens when the candle’s highest point (its high) touches or goes above the High EMA, and its lowest point (its low) stays above the Low EMA. In simple terms, the price is climbing higher and isn’t dropping below the recent lows, which shows strong bullish momentum and suggests the price might keep going up.
Red: The candle is in a strong downtrend. This happens when the candle’s lowest point (its low) touches or goes below the Low EMA, and its highest point (its high) stays below the High EMA. This means the price is falling lower and isn’t spiking above the recent highs, showing strong bearish momentum and suggesting the price might keep going down.
Yellow: The trend isn’t clear. This happens when the candle doesn’t fit the Green or Red conditions. For example, the candle might be stuck between the two EMAs, or it might be outside them but not showing a strong bullish or bearish move. A Yellow cloud tells you the market is in a neutral state, often during sideways movement or choppy price action, so it’s a sign to wait for a clearer trend before acting.
The cloud is overlaid directly on the price chart, so you can see the trend while watching the candles. It’s designed to be fast and responsive, thanks to the short 3-period EMAs, making it great for short-term trading.
Custom Moving Averages:
This indicator includes two Moving Averages (MAs) that you can customize to match your trading style. These MAs act as a backup to the EMA Cloud, helping you confirm the trend and spot potential entry or exit points.
You can choose the type of MA from a list: SMA (Simple Moving Average, which gives equal weight to all prices), EMA (Exponential Moving Average, which focuses more on recent prices), WMA (Weighted Moving Average, which gives more weight to recent prices in a linear way), HMA (Hull Moving Average, which is smoother and faster), RMA (Running Moving Average, often used in momentum indicators), or VWMA (Volume Weighted Moving Average, which factors in trading volume). Each type has its own strengths, so you can pick the one that suits your strategy best.
The default lengths are 20 for the first MA (shorter, faster) and 50 for the second MA (longer, slower), but you can adjust these lengths to make the MAs more or less sensitive. For example, a shorter length like 10 will react faster to price changes, while a longer length like 100 will show the bigger trend.
The MAs are plotted on the price chart in blue (for the first MA) and black (for the second MA). You can use them to see how the price is moving compared to the trend shown by the EMA Cloud, and they’re especially helpful for spotting crossovers (when the shorter MA crosses the longer MA), which can signal a change in trend.
RSI for Momentum:
The RSI (Relative Strength Index) is a simple momentum indicator that shows how strong the price movement is. It’s displayed in a separate pane below the chart, so it doesn’t get in the way of your price view.
This is a default 14-period RSI, meaning it looks at the last 14 candles to calculate momentum. You can adjust the period if you want it to be more or less sensitive—for example, a shorter period like 7 will react faster, while a longer period like 21 will be slower and smoother.
The RSI ranges from 0 to 100. A higher RSI (closer to 100) means the price is moving up with strong momentum, while a lower RSI (closer to 0) means the price is moving down with strong momentum. For example, if the RSI is rising and heading toward 70, it shows the price is gaining upward momentum, which can support a Green cloud signal. If the RSI is falling and heading toward 30, it shows the price is gaining downward momentum, which can support a Red cloud signal.
You can also use the RSI to see if momentum is slowing down. For example, if the price is going up but the RSI starts to flatten or drop, it might mean the uptrend is losing steam, even if the cloud is still Green. This can help you prepare for a potential trend change.
Settings
EMA Cloud:
Fixed at 3-period EMAs.
Additional MAs:
MA1 Length and MA1 Type: Set the first MA (default: 20, SMA).
MA2 Length and MA2 Type: Set the second MA (default: 50, SMA).
RSI Settings:
RSI Length: Default 14, adjustable.
Source: Default close, adjustable.
Usage
Spot Trends with the Cloud:
A Green cloud means the price is trending up, which can be a good time to buy or hold a position if you’re trading with the trend. It shows the price is moving higher with strength.
A Red cloud means the price is trending down, which can be a good time to sell or short if you’re looking for bearish opportunities. It shows the price is dropping with strength.
A Yellow cloud means the price isn’t showing a clear trend, so it’s often better to wait for a stronger signal before making a move. This helps you avoid getting caught in choppy or sideways markets.
Confirm with MAs:
The two MAs help you confirm the trend shown by the EMA Cloud. For example, if the cloud is Green (uptrend) and the shorter MA (blue) crosses above the longer MA (purple), it’s a stronger sign to buy, as both the cloud and the MAs agree the trend is up. If the cloud is Red (downtrend) and the shorter MA crosses below the longer MA, it’s a stronger sign to sell, as both tools confirm the downtrend.
You can also use the MAs to spot trend changes. If the price breaks above both MAs while the cloud turns Green, it’s a good sign a new uptrend is starting. If the price breaks below both MAs while the cloud turns Red, it’s a sign a new downtrend might be starting.
Check Momentum with RSI:
Use the RSI to see how strong the price movement is. If the RSI is rising, it means the price is gaining momentum, which can support a Green cloud (uptrend) or warn you if the momentum is slowing down in a Red cloud (downtrend). If the RSI is falling, it means the price is losing momentum, which can support a Red cloud or warn you if the momentum is slowing in a Green cloud.
For example, if the cloud is Green and the RSI is rising toward 60, it shows strong upward momentum, giving you more confidence in the uptrend. If the cloud is Red and the RSI is falling toward 40, it shows strong downward momentum, supporting the downtrend.
You can also watch for changes in momentum. If the cloud is Green but the RSI starts to drop, it might mean the uptrend is weakening, even if the price is still going up. This can help you prepare for a potential reversal or pullback.
Accuracy
The EMA Cloud is designed to catch trends by looking at the candle’s full range (high and low prices), not just the close. This makes it more sensitive to real price movements, helping it accurately show when the price is trending up (Green), trending down (Red), or stuck in a neutral zone (Yellow). The 3-period EMAs are short and fast, so the cloud reacts quickly to price changes, which is ideal for short-term trading but might give more signals in choppy markets. The custom MAs add reliability by confirming the trend over a longer period, helping you avoid false signals from the cloud alone. The RSI provides a clear view of momentum, showing you how strong the trend is and whether it’s gaining or losing steam. Together, these tools create a balanced system for trend and momentum analysis, but you should always test it on your specific market and timeframe to see how well it works for your trading style.
Notes
The EMA Cloud uses the candle’s high and low prices to catch the full price movement, making it more accurate for spotting trends.
The cloud colors have a bit of transparency so you can still see the candles clearly.
The RSI sits in its own pane below the chart, while the cloud and MAs are on the price chart.
Credits
To Creators of Original Indicators Used in this Indictor.
Disclaimer
This indicator is for educational purposes only. Trading involves risks, and you should use this tool at your own risk. Always conduct your own analysis and backtest the indicator before using it in live trading. The creators are not responsible for any financial losses incurred.
Mar 28
Release Notes
Added option to select Source of MAs.
This update introduces an advanced crossover confirmation feature to the indicator by leveraging the existing user-defined moving averages (MA1 and MA2). It enhances flexibility and visual feedback through customizable source selection and dynamic color changes based on crossover events. Below are the details of this addition:
Customizable Source Selection:
Users now have the ability to define the price source for each moving average independently through the MA1 Source and MA2 Source input options. Available choices include open, close, high, low, or other price data points, enabling tailored analysis based on specific price behaviors.
Crossover Confirmation Mechanism:
The feature detects crossovers between MA1 and MA2 to provide additional confirmation signals:
A bullish crossover occurs when MA1 crosses above MA2, signaling potential bullish momentum.
A bearish crossover occurs when MA1 crosses below MA2, indicating possible bearish momentum.
These events are identified using precise Pine Script functions (ta.crossover() and ta.crossunder()), ensuring reliable detection of trend shifts.
Dynamic Color Response:
Post-crossover, the visual representation of both MAs adapts to reflect the market condition:
After a bullish crossover (MA1 > MA2), both MA1 and MA2 lines change to green, visually reinforcing an upward trend.
After a bearish crossover (MA1 < MA2), both lines shift to red, highlighting a downward trend.
Prior to any crossover, the MAs default to gray, maintaining neutrality until a significant event occurs. The color persists until the opposite crossover takes place, offering sustained feedback.
Practical Examples for Customization:
MA 3 vs. MA 3 Configuration: Set MA1 to a length of 3 with source open and MA2 to a length of 3 with source close. This fast-moving pair leverages the difference between opening and closing prices, with crossovers providing rapid confirmation signals for short-term traders.
MA 9 vs. MA 20 Crossover: Configure MA1 with a length of 9 and MA2 with a length of 20 (both defaulting to close). This setup captures short-term trends against a medium-term baseline, a popular choice for swing trading.
MA 20 vs. MA 50 Crossover: Assign MA1 a length of 20 and MA2 a length of 50. This classic combination tracks medium-term versus long-term trends, ideal for identifying broader market shifts.
The flexibility of length and source inputs allows users to experiment with countless other pairings tailored to their strategies.
Purpose and Integration:
This crossover functionality enhances the indicator’s utility by offering a clear, visual confirmation tool alongside the existing EMA Cloud and RSI components. It empowers users to monitor momentum shifts with greater confidence, using MA1 and MA2 as a dynamic duo within the broader analytical framework.
Critical User Guidance:
Disclaimer: While this indicator provides valuable insights, it is not a standalone solution for trading decisions. All technical indicators, including this one, merely suggest potential price movements without offering guarantees. To maximize effectiveness and minimize risk, users must complement crossover signals with additional confirmations, such as:
Candlestick Formations: Patterns like doji, engulfing, or hammer candles to validate reversals or continuations.
Support and Resistance Levels: Key price zones to assess the strength of a trend or breakout.
Trendline Breakouts: Confirmation of trend direction through breaches of established lines.
Combining these elements ensures a more robust trading approach, aligning with sound risk management principles.
SMA 12 26 50 200 / BB / KAIRIThe SMA 12 26 50 200 / BB / KAIRI is a comprehensive technical analysis tool designed for traders who rely on various moving averages and indicators to inform their market decisions. This custom-built indicator includes:
Multiple Simple Moving Averages (SMA):
The script includes four simple moving averages (SMA) with customizable periods:
SMA 12 (Short-Term)
SMA 26 (Medium-Term)
SMA 50 (Mid-Term)
SMA 200 (Long-Term)
These moving averages help identify potential trends and market direction based on varying timeframes, allowing traders to analyze short, medium, and long-term price movements.
Bollinger Bands (BB):
The Bollinger Bands indicator is included to measure market volatility. The indicator consists of:
The middle band, which is a 20-period simple moving average.
The upper and lower bands, which are calculated using standard deviations to show potential overbought or oversold conditions.
Kairi Oscillator:
The Kairi Oscillator is a unique tool for identifying price divergence from the SMA 25. The oscillator creates two lines, an upper and lower level based on a percentage of price deviation from the SMA. Alerts are generated when the price crosses these levels, providing buy or sell signals.
Alerts and Signals:
Possible Buy Alert: An alert is triggered when the price touches the 50-period SMA or 200-period SMA, signaling potential buying opportunities.
Buy and Sell Signals: The script includes built-in logic for buy and sell signals based on the crossing of the Kairi Oscillator, helping traders make informed decisions in real-time.
Customizable Parameters:
Users can adjust the periods of the SMAs and the Kairi Oscillator directly within the script settings to align with their preferred trading strategy.
This indicator is particularly useful for trend-following traders who want to visualize multiple timeframes and use volatility measures to make strategic decisions. The combination of SMAs, Bollinger Bands, and the Kairi Oscillator helps traders spot market opportunities and manage risk effectively.
This description covers the main features and functionalities of the Pine Script indicator, highlighting its flexibility and utility for traders who use moving averages, Bollinger Bands, and the Kairi Oscillator. Let me know if you'd like to adjust or add any specific features to the description!
Price Up and Down Percentage NACHOMIXCRYPTOThis Pine Script indicator, titled "Price Up and Down Percentage NACHOMIXCRYPTO", is designed to calculate and display the percentage increase and decrease of the price for a given day. Here’s how it works:
1. Indicator Purpose
The indicator tracks the highest and lowest price points of the day.
It calculates the percentage price increase from the lowest price to the current closing price.
It also calculates the percentage price decrease from the highest price to the current closing price.
Additionally, it shows the average change and the combined percentage of both movements.
2. Key Features
Customizable Visuals:
You can adjust the line colors, widths, label colors, and text alignment.
Labels for percentage changes are displayed near the current price.
Daily Highs and Lows:
The indicator resets the lowest and highest price at the start of a new day.
Percentage Calculations:
PriceRise: The percentage change from the day’s lowest price to the current close.
PriceDrop: The percentage change from the day’s highest price to the current close.
AvgChange: The average of the rise and drop percentages.
Total+-: The sum of the price rise and drop, providing a combined market movement view.
3. Visual Representation
Lines:
A green line represents the upward movement (from the lowest price to the current price).
A red line represents the downward movement (from the highest price to the current price).
Labels:
The percentage increase is labeled in green, and the percentage decrease is labeled in red.
The labels are positioned with an adjustable offset for clarity.
Table Display:
A table in the bottom-right corner displays all the calculated values for quick reference.
4. Practical Use
Trend Analysis: Helps identify if the market has shown significant upward or downward movement during the day.
Volatility Assessment: Traders can evaluate the volatility based on the total percentage movement.
Decision Support: Provides a clear indication of how much the price has moved relative to its daily high and low.
Overall, this indicator is useful for intraday traders to monitor price movements and make informed trading decisions.
EMA Distance OscillatorI was inspired to make this because I rely on ema trading in my SPY day trading strategy.
## 📈 **EMA Distance Oscillator**
**Author:** *Your Name or Alias*
**Category:** Trend Strength / Momentum
**Timeframes:** Optimized for 1–5min, works on all
---
### 🔍 **What It Does**
The **EMA Distance Oscillator** is a dual-purpose tool that helps visualize **momentum shifts**, **trend strength**, and **EMA divergence/convergence** in real time.
It plots two separate signals:
#### 1. 🟩 Histogram Bars
A zero-centered histogram that shows the **difference between two EMAs** (default: EMA 48 and EMA 200).
- Color-coded based on:
- Whether the EMA spread is **above or below zero**
- Whether the spread is **increasing or decreasing**
- Helps visualize **trend acceleration** or **loss of momentum**
#### 2. 📉 Delta Line
A smooth line showing the **difference between a second EMA pair** (default: EMA 13 and EMA 48).
- Color-coded:
- **White** when rising (spread widening)
- **Gray** when falling (spread tightening)
---
### ⚙️ **Customizable Inputs**
You have full control over:
- EMA lengths for **both histogram and line**
- Smoothing for each plot
- Colors for each bar state and line condition
- Momentum thresholds (±1 by default, adjustable)
---
### 🧠 **How to Use It**
- Use the **bar histogram** to quickly spot moments when short-term and long-term EMAs are diverging or converging
- Use the **delta line** to track smoother shifts in short-term momentum
- Look for:
- Expanding green bars = uptrend gaining strength
- Shrinking bars = potential reversals or cooldowns
- Line crossing zero = EMA crossover (fast vs slow)
- **Threshold lines** at +1 / -1 help mark **high-momentum zones** (fully customizable)
---
### 🧭 **Pro Tips**
- Try with EMA 13/48 for the line and EMA 48/200 for the histogram on 1–5min charts
- Add alerts (optional) for when:
- Histogram changes color (momentum flip)
- Line crosses zero
- Threshold levels are breached
---
Let me know if you want me to help prep alert conditions or auto-generate different versions (e.g., strategy version, simplified mode, mobile-friendly layout, etc).
ATR Trend Pro with EMAsATR Trend Pro with EMAs by BellevueFX
This smart trend-following tool combines ATR-based trailing stop logic with EMA50/EMA200 filters to help you detect dynamic buy/sell zones in trending markets.
🔧 Features:
🔁 Adaptive ATR trailing stop that adjusts based on market volatility
📊 Dual EMA filter (50 & 200) to identify trend direction and structure
✅ Buy/Sell signals triggered when price breaks out with confirmation
🟦 Heikin Ashi option for smoother price action analysis
🎯 Auto SL/TP projection using recent swing high/low levels
🔔 Ready-to-use alerts for long and short opportunities
🧠 How to Use:
Look for BUY signals above both EMAs in uptrends
Watch for SELL signals below EMAs in downtrends
Use projected SL/TP levels as trade management zones
Combine with support/resistance or price action for best results
Bitcoin Valuation Model | OpusBitcoin Valuation Model | Opus
Technical Indicator Overview
The Bitcoin Valuation Model | Opus is a comprehensive tool that assesses Bitcoin’s market valuation using a blend of fundamental and technical Z-scores. Overlaying a dynamic Z-score plot on the price chart, it integrates metrics like MVRV, Bitcoin Thermocap, NUPL, and RSI, alongside a detailed table for real-time analysis. With vibrant visualizations and SDCA (Scaled Dollar-Cost Averaging) thresholds, this indicator helps traders identify overbought or oversold conditions with precision.
Key Features 🌟
Multi-Metric Z-Score Analysis: Combines 12 fundamental and technical indicators into customizable Z-score plots for a holistic valuation view.
Dynamic Visualization: Displays Z-scores with gradient backgrounds, horizontal thresholds, and optional bar coloring for intuitive market insights.
Comprehensive Dashboard: Provides a compact table with Z-scores, market conditions, and ROC (Rate of Change) for each indicator.
SDCA Signals: Highlights buy (below -2) and sell (above 2) zones with dynamic background opacity to guide dollar-cost averaging strategies.
Retro Aesthetic: Features a Synthwave-inspired color scheme (cyan for oversold, magenta for overbought) with cloud effects and gradient fills.
Usage Guidelines 📋
Buy Signals: Enter or accumulate Bitcoin when the Z-score falls below -2 (cyan background), indicating an oversold market.
Sell Signals: Consider exiting or reducing exposure when the Z-score exceeds 2 (magenta background), signaling overbought conditions.
Market Condition Tracking: Use the table to monitor individual indicator Z-scores and ROC trends for confirmation of market states.
Trend Analysis: Assess the plotted Z-score against thresholds (-3 to 3) to gauge momentum and potential reversals.
Customizable Settings ⚙️
Table Position: Place the dashboard anywhere on the chart (e.g., Middle Right, Top Center).
Z-Score Plot: Select from 15 options (e.g., MVRV, RSI, Average Z-Score) to focus on specific metrics.
Indicator Parameters: Adjust lengths, means, and scales for each metric (e.g., RSI Length: 400, MVRV Scale: 2.1).
SDCA Thresholds: Set buy (-2) and sell (2) levels to tailor dollar-cost averaging signals.
Visual Options: Toggle bar coloring and customize ROC lookback (default: 7 days) for personalized analysis.
Applications 🌍
The Bitcoin Valuation Model | Opus is ideal for Bitcoin traders and hodlers seeking a data-driven approach to market timing. Its fusion of on-chain fundamentals, technical indicators, and visually rich feedback makes it perfect for identifying valuation extremes, optimizing SDCA strategies, and enhancing long-term investment decisions—all under a Creative Commons Attribution-NonCommercial 4.0 International License (CC BY-NC 4.0) © 2025 Opus Capital.