THEDU PHÁ VỠ Trendlinedùng trenline phá vỡ kẻ các duopngwf sọc chỉ báo, buy sell khi giá cắt qua. kết hợp tốt với adx
Penunjuk dan strategi
THEDU SMC TEST VDFGVDSVDSVDSFVDSVSACDAS DCA ASCASXC QAWSCX SDCSCSCZX ASDXADWQEDGBVDCV ÂCSCSACSCSCASDCVSFDVWSDEF
asdcasdasdasdasdawsdz x ã ascxascascxacx a xác sadasdcasd sza
Custom EMA Inputs (20, 40, 100, 200)This script plots four customizable Exponential Moving Averages (EMAs) on the chart—specifically the 20, 40, 100, and 200-period EMAs. Each EMA length and color can be adjusted by the user, allowing for greater flexibility in trend analysis and multi-timeframe confirmation. The script supports offsetting plots, enabling visual tweaks for alignment with other indicators or price action setups.
Ideal for traders seeking dynamic control over their moving average strategies, this tool provides a clean, adaptable foundation for both trend following and crossover systems.
WaveTrend Weekly Lower Highs V4This Pine Script creates a WaveTrend Weekly Lower Highs indicator designed to identify weakening momentum and potential trend reversals by tracking lower highs in weekly price action.
Core Purpose:
Calculates the WaveTrend oscillator using weekly timeframe data with smoothing algorithms
Automatically detects and categorizes pivot highs into different types based on their position relative to overbought levels and zero line
Key Features:
High Classification System: Labels highs as "H" (above overbought), "LH" (lower high), "LH-S" (secondary lower high), "Int-LH" (intermediate lower high below zero), or "Int-H" (intermediate high)
Lower High Detection: Specifically tracks when highs form below previous highs after an overbought condition, indicating potential weakness.
Trading Application:
This indicator helps traders identify when an asset's momentum is deteriorating through a series of lower highs, which often precedes trend reversals or significant corrections. It's particularly useful for swing traders and position traders working on weekly charts who want to spot early signs of trend exhaustion before major moves occur.
The script includes alert conditions to notify traders when different types of highs are detected.
FBO ALLinOneVoici un indicateur permettant de visualiser les points stratégiques pour appliquer notre méthode.
* Asian Box
* HHLL pour tracer les "bons" Fibo
* IMB
* BPR
RSI OB/OS THEDU 999//@version=6
indicator("RSI OB/OS THEDU 999", overlay=false)
//#region Inputs Section
// ================================
// Inputs Section
// ================================
// Time Settings Inputs
startTime = input.time(timestamp("1 Jan 1900"), "Start Time", group="Time Settings")
endTime = input.time(timestamp("1 Jan 2099"), "End Time", group="Time Settings")
isTimeWindow = time >= startTime and time <= endTime
// Table Settings Inputs
showTable = input.bool(true, "Show Table", group="Table Settings")
fontSize = input.string("Auto", "Font Size", options= , group="Table Settings")
// Strategy Settings Inputs
tradeDirection = input.string("Long", "Trade Direction", options= , group="Strategy Settings")
entryStrategy = input.string("Revert Cross", "Entry Strategy", options= , group="Strategy Settings")
barLookback = input.int(10, "Bar Lookback", minval=1, maxval=20, group="Strategy Settings")
// RSI Settings Inputs
rsiPeriod = input.int(14, "RSI Period", minval=1, group="RSI Settings")
overboughtLevel = input.int(70, "Overbought Level", group="RSI Settings")
oversoldLevel = input.int(30, "Oversold Level", group="RSI Settings")
//#endregion
//#region Font Size Mapping
// ================================
// Font Size Mapping
// ================================
fontSizeMap = fontSize == "Auto" ? size.auto : fontSize == "Small" ? size.small : fontSize == "Normal" ? size.normal : fontSize == "Large" ? size.large : na
//#endregion
//#region RSI Calculation
// ================================
// RSI Calculation
// ================================
rsiValue = ta.rsi(close, rsiPeriod)
plot(rsiValue, "RSI", color=color.yellow)
hline(overboughtLevel, "OB Level", color=color.gray)
hline(oversoldLevel, "OS Level", color=color.gray)
//#endregion
//#region Entry Conditions
// ================================
// Entry Conditions
// ================================
buyCondition = entryStrategy == "Revert Cross" ? ta.crossover(rsiValue, oversoldLevel) : ta.crossunder(rsiValue, oversoldLevel)
sellCondition = entryStrategy == "Revert Cross" ? ta.crossunder(rsiValue, overboughtLevel) : ta.crossover(rsiValue, overboughtLevel)
// Plotting buy/sell signals
plotshape(buyCondition ? oversoldLevel : na, title="Buy", location=location.absolute, color=color.green, style=shape.labelup, text="BUY", textcolor=color.white, size=size.small)
plotshape(sellCondition ? overboughtLevel : na, title="Sell", location=location.absolute, color=color.red, style=shape.labeldown, text="SELL", textcolor=color.white, size=size.small)
// Plotting buy/sell signals on the chart
plotshape(buyCondition, title="Buy", location=location.belowbar, color=color.green, style=shape.triangleup, text="BUY", textcolor=color.white, size=size.small , force_overlay = true)
plotshape(sellCondition, title="Sell", location=location.abovebar, color=color.red, style=shape.triangledown, text="SELL", textcolor=color.white, size=size.small, force_overlay = true)
//#endregion
//#region Returns Matrix Calculation
// ================================
// Returns Matrix Calculation
// ================================
var returnsMatrix = matrix.new(0, barLookback, 0.0)
if (tradeDirection == "Long" ? buyCondition : sellCondition ) and isTimeWindow
newRow = array.new_float(barLookback)
for i = 0 to barLookback - 1
entryPrice = close
futurePrice = close
ret = (futurePrice - entryPrice) / entryPrice * 100
array.set(newRow, i, math.round(ret, 4))
matrix.add_row(returnsMatrix, matrix.rows(returnsMatrix), newRow)
//#endregion
//#region Display Table
// ================================
// Display Table
// ================================
var table statsTable = na
if barstate.islastconfirmedhistory and showTable
statsTable := table.new(position.top_right, barLookback + 1, 4, border_width=1, force_overlay=true)
// Table Headers
table.cell(statsTable, 0, 1, "Win Rate %", bgcolor=color.rgb(45, 45, 48), text_color=color.white, text_size=fontSizeMap)
table.cell(statsTable, 0, 2, "Mean Return %", bgcolor=color.rgb(45, 45, 48), text_color=color.white, text_size=fontSizeMap)
table.cell(statsTable, 0, 3, "Median Return %", bgcolor=color.rgb(45, 45, 48), text_color=color.white, text_size=fontSizeMap)
// Row Headers
for i = 1 to barLookback
table.cell(statsTable, i, 0, str.format("{0} Bar Return", i), bgcolor=color.rgb(45, 45, 48), text_color=color.white, text_size=fontSizeMap)
// Calculate Statistics
meanReturns = array.new_float()
medianReturns = array.new_float()
for col = 0 to matrix.columns(returnsMatrix) - 1
colData = matrix.col(returnsMatrix, col)
array.push(meanReturns, array.avg(colData))
array.push(medianReturns, array.median(colData))
// Populate Table
for col = 0 to matrix.columns(returnsMatrix) - 1
colData = matrix.col(returnsMatrix, col)
positiveCount = 0
for val in colData
if val > 0
positiveCount += 1
winRate = positiveCount / array.size(colData)
meanRet = array.avg(colData)
medianRet = array.median(colData)
// Color Logic
winRateColor = winRate == 0.5 ? color.rgb(58, 58, 60) : (winRate > 0.5 ? color.rgb(76, 175, 80) : color.rgb(244, 67, 54))
meanBullCol = color.from_gradient(meanRet, 0, array.max(meanReturns), color.rgb(76, 175, 80), color.rgb(0, 128, 0))
meanBearCol = color.from_gradient(meanRet, array.min(meanReturns), 0, color.rgb(255, 0, 0), color.rgb(255, 99, 71))
medianBullCol = color.from_gradient(medianRet, 0, array.max(medianReturns), color.rgb(76, 175, 80), color.rgb(0, 128, 0))
medianBearCol = color.from_gradient(medianRet, array.min(medianReturns), 0, color.rgb(255, 0, 0), color.rgb(255, 99, 71))
table.cell(statsTable, col + 1, 1, str.format("{0,number,#.##%}", winRate), text_color=color.white, bgcolor=winRateColor, text_size=fontSizeMap)
table.cell(statsTable, col + 1, 2, str.format("{0,number,#.###}%", meanRet), text_color=color.white, bgcolor=meanRet > 0 ? meanBullCol : meanBearCol, text_size=fontSizeMap)
table.cell(statsTable, col + 1, 3, str.format("{0,number,#.###}%", medianRet), text_color=color.white, bgcolor=medianRet > 0 ? medianBullCol : medianBearCol, text_size=fontSizeMap)
//#endregion
// Background color for OB/OS regions
bgcolor(rsiValue >= overboughtLevel ? color.new(color.red, 90) : rsiValue <= oversoldLevel ? color.new(color.green, 90) : na)
Volatility Zones (STDEV %)This indicator displays the relative volatility of an asset as a percentage, based on the standard deviation of price over a custom length.
🔍 Key features:
• Uses standard deviation (%) to reflect recent price volatility
• Classifies volatility into three zones:
Low volatility (≤2%) — highlighted in blue
Medium volatility (2–4%) — highlighted in orange
High volatility (>4%) — highlighted in red
• Supports visual background shading and colored line output
• Works on any timeframe and asset
📊 This tool is useful for identifying low-risk entry zones, periods of expansion or contraction in price behavior, and dynamic market regime changes.
You can adjust the STDEV length to suit your strategy or timeframe. Best used in combination with your entry logic or trend filters.
Rejection Blocks (RJB) and Liquidity Grabs (SFPs)- Milana TradesThis indicator highlights Rejection Blocks (RJB) and Liquidity Grabs (SFPs)—two advanced price action concepts used by professional traders, especially those following ICT (Inner Circle Trader) strategies.
Rejection Block (RJB) is an advanced version of the traditional Order Block. It marks areas where price has been sharply rejected—often zones where smart money enters or exits positions. The logic is based on specific wick rejection criteria and candle structure, with mitigated RJBs marked or hidden automatically.
Liquidity Grab (SFP) detects key Swing Failure Patterns—where price takes out a previous high/low, grabs liquidity, and reverses. Optional volume validation is available for more accurate filtering, especially using LTF (lower timeframe) data.
Key Features:
Rejection Block (RJB)
1) Identifies both bullish and bearish rejection blocks.
2) Two logic types: “trapped wick” and “signal wick” configurations.
3) Auto-detection of mitigated RJBs and customizable visualization.
4)Adjustable color, transparency, box style, label text, and more.
5)Limit on max RJBs displayed to keep the chart clean.
Liquidity Grab (SFP)
1)Detects bullish and bearish SFPs (Swing Failure Patterns).
2)Optional volume validation with threshold control (based on LTF).
3)Dynamically adjusts lower timeframe resolution (auto/manual).
4)Visual confirmation lines, wick highlights, and labels.
5)SFP Dashboard table (optional) for LTF & validation display.
SFP Wick to RJB Zones
Converts confirmed SFPs into new RJB boxes.
Adds powerful confluence between rejection and liquidity.
🔔 Built-in Alerts
Alerts can be set up for both bullish and bearish Rejection Blocks, as well as confirmed SFPs.
Ideal for traders who want to be notified in real-time when price:
Forms a valid Rejection Block,
Prints a confirmed SFP (Swing Failure),
Enters or exits key liquidity zones.
Alerts are fully compatible with TradingView’s alert system.
⚙️ Settings Overview:
Rejection Blocks
Enable plotting, box limit, mitigated filtering, label customization.
Liquidity Grabs (SFPs)
Enable SFPs (bull/bear), pivot length, volume % threshold, LTF resolution.
Enable dashboard, wick display, and validation logic.
SFP-based RJB
Create RJB zones from confirmed SFP signals.
Independent box length and color settings.
Dashboard & Labels
Enable/disable visual labels and LTF info table.
Customize font size, color, and position.
Use Cases:
Identify smart money rejection zones before price reversals.
Use mitigated RJBs to anticipate failed retests or structure breaks.
Trade with confidence by combining RJB + SFP signals.
Set alerts to monitor setups without staring at charts 24/7.
Notes:
Compatible with any market (Forex, Crypto, Indices, Stocks).
Works on all timeframes.
MSS Strong Confirmed PROMSS Strong Confirmed PRO is a high-precision market structure indicator built for serious traders. It automatically detects Market Structure Shifts (MSS) and filters them through trend direction (AlphaTrend), RSI confirmation, and strong candlestick patterns.
It only gives you signals when the market shows a real trend change with momentum confirmation — reducing noise and increasing the probability of successful entries.
The script marks confirmed entries with TP/SL levels based on risk-reward ratio, helping traders automate part of their decision-making process. Ideal for scalping and swing trading on any timeframe.
Main Features:
- MSS Detection (Break of swing highs/lows)
- AlphaTrend direction filter
- RSI > 50 / < 50 confirmation
- Strong candle confirmation (body ratio logic)
- Auto TP & SL based on ATR
- Alerts for confirmed long/short setups
Perfect for Smart Money Concept (SMC) traders.
Multi-Timeframe Close Alert with Toggleyou can create alerts with this indicator for when a time frame closes
Multi-Timeframe Market Regime (Ehlers)This Pine Script indicator provides an Ehlers-inspired multi-timeframe market regime analysis directly on your TradingView chart. It aims to identify whether the market is currently "Trending Up" (green), "Trending Down" (red), or "Ranging" (yellow) across Weekly, Daily, 4-Hour, and 1-Hour timeframes.
It uses custom implementations of:
Ehlers' Fisher Transform to highlight market extremes and potential turning points.
An Adaptive Moving Average (inspired by MAMA/FAMA) that adjusts its speed based on volatility to reduce lag in trends and provide stability in ranges.
The indicator displays a dashboard as a label on your chart, showing the detected regime for each of these timeframes, and optionally colors the background of your current chart timeframe to reflect its dominant regime.
ZY Legend StrategyZY Legend Strategy indicator follows the trend, sets up transactions and clearly shows the transactions it opens on the chart. SL is not used in the strategy, instead, additions are made to positions.
EMA Cloud 200 High/Close (multi)EMA Cloud 200 High/Close (multi)
This indicator plots an EMA cloud between two 200-period Exponential Moving Averages—one based on High prices, the other on Close prices. Choose your preferred timeframe or use the current chart timeframe. The cloud’s color changes to green (bullish) or red (bearish) depending on trend direction, making it easy to spot support, resistance, and market trends at a glance.
MTA Suite Pro (By Levi)This is a comprehensive all-in-one technical analysis indicator that combines multiple essential trading tools into a single, customizable overlay. Perfect for traders who want to reduce chart clutter while maintaining access to critical technical indicators.
🎯 Key Features
📊 Trend Analysis Tools
Bollinger Bands - Dynamic volatility bands with customizable MA types
Supertrend - Trend-following indicator with ATR-based stops
10 Simple Moving Averages - From 20 to 600 periods with bull/bear coloring
📍 Price Action Tools:
Pivot Points - Automatic detection of swing highs/lows with labels
Support & Resistance MTF - Multi-timeframe S/R zones with breakout tracking
Gap Detector - Identifies and labels price gaps with pip measurements
📈 Daily Reference Levels:
Today's High/Low with real-time updates
Yesterday's High/Low for key reference points
Customizable line extensions and label positioning
💼 Market Information Watermark:
Company name with market cap display
Sector and industry classification
ATR volatility indicator with color-coded alerts (🟢🟡🔴)
Symbol and timeframe information
⚡ Advanced Features:
Show/hide controls for each indicator component
Extensive color and style customization
Multi-timeframe support for S/R levels
Built-in alerts for trend changes and level breaks
Smart label positioning to avoid overlap
Professional watermark with market statistics
🎨 Customization:
Each component can be individually toggled on/off and styled to match your trading preferences. From line widths to colors, label sizes to transparency levels - everything is adjustable.
Perfect for:
Day traders needing quick technical reference points
Swing traders tracking multiple timeframe levels
Position traders monitoring long-term trends
Anyone wanting a clean, professional chart setup
This indicator eliminates the need for multiple separate indicators, providing a complete technical analysis toolkit in one efficient package.
Fibonacci Optimal Entry Zone (By Levi)This is a Fibonacci Optimal Entry Zone indicator for TradingView that combines market structure analysis with Fibonacci retracement levels.
Key Features:
Market Structure Detection
Identifies swing highs/lows using pivot points
Marks "CHoCH" (Change of Character) when structure breaks
Tracks both bullish (higher highs/lows) and bearish (lower highs/lows) structures
Dynamic Fibonacci Retracements
Automatically draws Fibonacci levels between detected swing points
Supports extensive levels from -2.0 to 1.618, including the golden ratio (0.618)
Optional "Golden Zone" highlighting between 0.5-0.618 levels
Visual Elements
Dotted swing trend lines connecting pivots
Price labels at swing points
Customizable Fibonacci level labels with optional price display
Break of Structure (BoS) lines with adjustable styles
Advanced Options
"Swing tracker" mode for real-time Fibonacci adjustments
Line extension controls (left/right/both)
Previous Fibonacci levels retention
Fully customizable colors, widths, and label positioning
The indicator helps traders identify potential entry zones by combining structural breaks with key Fibonacci retracement levels, particularly focusing on the "optimal entry zone" where price often finds support/resistance during retracements.
EMA Cloud 200 High/Close с цветом трендаEMA Cloud 200 High/Close with Trend Color
Overview
This indicator creates a dynamic EMA cloud between two Exponential Moving Averages calculated from different price sources, providing clear visual trend identification and support/resistance zones.
Key Features
Dual EMA System: Upper EMA based on High prices, Lower EMA based on Close prices
Custom Timeframe: Analyze EMA on any timeframe regardless of chart timeframe
Dynamic Trend Coloring: Green for uptrend, Red for downtrend
Visual Cloud: Filled area between EMAs highlights price zones
Configurable Period: Default 200-period EMA (adjustable)
How It Works
The indicator calculates two separate 200-period EMAs:
Upper EMA: Based on High prices - shows resistance levels
Lower EMA: Based on Close prices - shows support levels
Trend Detection:
Current price above average EMA = Green (Bullish)
Current price below average EMA = Red (Bearish)
Trading Applications
Trend Identification: Color changes indicate trend shifts
Support/Resistance: Cloud boundaries act as dynamic S/R zones
Entry/Exit Points: Price interaction with cloud edges
Multi-timeframe Analysis: View higher timeframe EMAs on lower timeframe charts
Settings
EMA Period: Adjust calculation period (default: 200)
Top Source: Price source for upper EMA (default: High)
Bottom Source: Price source for lower EMA (default: Close)
Custom Timeframe: Choose analysis timeframe (default: 15min)
Best Practices
Use on trending markets for optimal results
Combine with other indicators for confirmation
Higher timeframes provide stronger signals
Cloud thickness indicates volatility levels
Perfect for swing traders and trend followers seeking clear visual trend analysis with dynamic support/resistance identification.
CLMM Vault策略回测 (专业版) v5Explanation of the CLMM (Concentrated Liquidity - Market Maker) Strategy Backtesting Model Developed for the Sui Chain Vaults Protocol
Why Are We Doing This?
Conducting strategy backtesting is a crucial step for us to make data-driven decisions, validate the feasibility of strategies, and manage potential risks before committing real funds and significant development resources. A strategy that appears to have a high APY may perform entirely differently once real-world frictional costs (such as rebalancing fees and slippage) are deducted. The goal of this backtesting model is to quickly and cost-effectively identify which strategy parameter combinations have the potential to be profitable and which ones pose risks before formal development, thereby avoiding significant losses and providing data support for the project's direction.
Core Features of the Backtesting Model
We have built a "pro version" (v5) strategy simulator using TradingView's Pine Script. It can quickly simulate the core performance of our auto-compounding and rebalancing Vaults on historical price data, with the following main features:
Auto-Compounding: Continuously adds the generated fee income to the principal based on the set profit range (e.g., 0.01%).
Auto-Rebalancing: Simulates automatic rebalancing actions when the price exceeds the preset profit range and deducts the corresponding costs.
Smart Filtering Mechanism: To make the simulation closer to our ideal "smart" decision-making, it integrates three freely combinable filtering mechanisms:
Buffer Zone: Tolerates minor and temporary breaches of the profit range to avoid unnecessary rebalancing.
Breakout Confirmation: Requires the price to be in the trigger zone for N consecutive candles to confirm a breakout, filtering out market noise from "false breakouts."
Time Cooldown: Enforces a minimum time interval between two rebalances to prevent value-destroying high-frequency trading in extreme market conditions.
Important: Simplifications and Assumptions of the Model
To quickly prototype and iterate on the TradingView platform, we have made some key simplifications to the model.
A fully accurate backtest would require a deep simulation of on-chain liquidity pools (Pool Pair), calculating the price impact (Slippage) and impermanent loss (IL) caused by each rebalance on the pool. Since TradingView cannot access real-time on-chain liquidity data, we have made the following simplifications:
Simplified Rebalancing Costs: Instead of simulating real transaction slippage, we use a unified input parameter of single rebalance cost (%) to "bundle" and approximate the total of Gas fees, slippage, and realized impermanent loss.
Simplified Fee Income: Instead of calculating fees based on real-time trading volume, we directly input an average fee annualized return (%) as the core income assumption for our strategy.
How to Use and Test
Team members can load this script and test different strategies by adjusting the input parameters on the panel. The most critical parameters include: position profit range, average fee annualized return, single rebalance cost, and the switches and corresponding values of the above three smart filters.
Panel | Tablo + SMAOSC & Ortalama + Momentum + 4H MTF - STRATEJIMulti-Indicator Strategy Panel – SMAOSC, Momentum & 4H MTF
Overview
This is a custom strategy script that combines several technical indicators such as:
CCI, RSI, Stochastic, OBV, IFT, Momentum, SMA Oscillator
Includes multi-timeframe analysis (4H) for added reliability.
Uses dynamic signal classification with thresholds (e.g., 0.10–0.90 levels).
Comes with risk control via a max drawdown limit (20%).
Logic
The script produces LONG, SHORT, or NONE positions based on a combined normalized score calculated from all indicators.
Drawdown and threshold-based checks are applied to avoid risky trades.
Important Note
This indicator is still in testing phase.
It is not financial advice and should be used with caution and demo environments before real trading.
Liquidity Rush:VSMarkettrend Liquidity Rush (LR) Indicator – Market Move Detector
🔍 What is Liquidity Rush?
The Liquidity Rush (LR) indicator detects the flow of big money (institutional or high-volume traders) into a stock over a selected time frame. It visually represents the net liquidity inflow/outflow and compares it with the stock's total market capitalization (MC) to give you a contextual view of its significance.
📊 Indicator Output:
You’ll see a label like:
250.07 Cr / 0.23%MC
250.07 Cr → Liquidity change (buy/sell impact) in the selected timeframe.
0.23%MC → This liquidity is 0.23% of the stock’s market cap.
This helps you judge:
Whether the move is impactful or just noise.
If smart money is likely entering or exiting.
⚠️ Why % of Market Cap?
Volume or liquidity alone doesn't tell the full story. 100 Cr inflow in a 5,000 Cr company is significant (2%), but the same in a 50,000 Cr company is not impactful (0.2%). That’s why this indicator shows LR as a % of MC — to give you contextual importance.
🟢 When is it Powerful?
If LR % > 2% of market cap consistently → Strong entry signals likely from big players.
If LR jumps suddenly after a dull phase → Watch for breakout or reversal.
🎨 Color Coding (Based on Liquidity Amount):
<10 Cr → Low (likely retail-driven)
>10–20 Cr → Moderate (watchful)
>20–100 Cr → Heating up
>100 Cr → High liquidity activity (possible institutional move)
📅 Best Timeframes:
Use it on Daily, Weekly for quick flow detection.
Combine with price action or volume for confirmation.
Use Cases:
Identify breakouts with backing.
Filter fake moves with weak liquidity.
Spot smart money entry before price jumps.
Note : It does not means that stock with low LR are bad and not move, many stock move with low LR also, This indicator need not to be used in isolation.
Red Report Filter x 'Bull_Trap_9'Hello Traders!
This one is my favorite.
This is indicator / filter: '2 of 2.'
'1 of 2' is the, 'Closed Market Filter,' I posted before this that you may like.
Again, I prefer 'Filter' over 'Indicator' because this Pine Script code does not interact with the actual price data.
It makes handling high impact reports effortless.
As you all know; if you're on a Prop and breach a 'Red,' you lose your account.
This will filter up to 5 reports. More than enough unless you're on EURUSD!
It offers both 'Red' and 'Orange' report control.
The default window times of 15 / 6 are programmed for red events. You can always alter the base code for your desired, 'Before / After.'
Click the tooltip for more info.
How to use:
You do need to update the inputs daily with the current report times before each open.
I trade YM / US markets. Those reports are very repetitive on their delivery times, so I usually leave a 10:00 setting in slot 1. I then toggle it 'On' or 'Off' per demand.
Just open the dialogue box and it is pretty self explanatory.
I used task scheduler for a lot of years, but that wasn't very reliable, modest work to set up daily and a lot of times I may not hear it or it malfunctions because of a Windows update.
TradingView has the little icon that floats from the bottom right, but who really looks for that.
Any audio alert is subject to fail for a number of reasons.
This filter REDS the screen in your face. Leaves no doubt about what's coming.
I know there may be other apps and options out there, but this filter is integral to the TradingView chart itself embedded through Pine Script. It is right there, a click away, easy to input data, and as long as your chart is active and working, the filter will fire.
I did not build an alert condition into this, but I'm sure that could be an option if you want to program in audio as well.
Please Note: Only when the price candles push into the filter zone, will the filter start to display. Run a test a minute from the current price candle and you can see how it functions.
I appreciate your interest.
EMA Crossover + RSI Confirmation (Buy/Sell)Updated version for EMA crossover stategy with RSI confirmation