Session OHLC LevelsMarks:
- NY open, AM high, AM low, PM high, PM low and close
- Asia open, high, low and close
- London open, high, low and close
Educational
Ezlin-Tabish-Trading-Codes-ALL-IndicatorALpha-1For education and Learnings only, no real trading, its a concept only
🔫 95% Sniper Smart Money Strategy (XAUUSD)This is a 95% winning strategy and the second AI based indicator i tried.
XAUUSD SMC OB + Liquidity + Buy/Sell SignalsOB + Liquidity with buy and sell signals.
This script is one of the many that I am making using AI
20 & 50 EMA + ATR, TR & DATRIndicator Name: 20 & 50 EMA + ATR, TR & DATR
This custom indicator combines trend and volatility analysis into a single tool, helping you make smarter trading decisions with fewer indicators on your chart.
---
1. 20 & 50 Exponential Moving Averages (EMAs)
EMA 20 (Blue Line): A short-term trend indicator that reacts quickly to price changes.
EMA 50 (Orange Line): A medium-term trend indicator that smooths out more of the noise.
How to Use:
Bullish signal: EMA 20 crosses above EMA 50
Bearish signal: EMA 20 crosses below EMA 50
Use crossovers or distance between EMAs to confirm trends or potential reversals
---
2. True Range (TR)
Definition: The greatest of the following:
High - Low
High - Previous Close
Previous Close - Low
Use: Shows how much the asset moved during the candle. Useful for understanding raw price movement.
---
3. Average True Range (ATR)
Definition: The average of the True Range over a 14-bar period
Line color: Red (shown in the status line above your chart)
How to Use:
High ATR = High volatility
Low ATR = Low volatility
Use ATR to help determine stop-loss and take-profit levels, or to avoid low-volatility periods
---
4. Daily ATR (DATR)
Definition: ATR calculated from the daily timeframe, regardless of the chart's current timeframe
Line color: Green (also shown in the status line)
How to Use:
Know how much the asset typically moves in a full day
Helps intraday traders set realistic targets or detect when the market is unusually quiet or active
FVG Alerts v1.0This indicator automatically spots fair value gaps on your TradingView chart. It marks bullish gaps where price jumped up and bearish gaps where price dropped down. You see clear colored boxes around each gap for quick visual identification. The first valid bullish gap of the day triggers a one‑time alert so you catch prime opportunities. Behind the scenes it checks that gaps are significant by looking at price movement strength. It also confirms that volume was higher than usual during the gap bar for added reliability. Additionally it considers past order blocks to ensure gaps happen near key areas. As soon as price returns into a gap zone the boxes automatically disappear to keep your chart neat. You can choose any higher timeframe for gap detection to match your trading style. Colors for bullish and bearish gaps are fully customizable so they stand out on your setup. Sensitivity settings let you adjust how small or large a gap must be to appear. The indicator manages how many past zones to track so you never overload your chart. Alert conditions are named clearly for easy integration with TradingView notifications. You can link those alerts to email, SMS, or webhook services for instant updates. No coding is required to get started—all options are available in the input menu.
This tool streamlines gap‑based trading by automating every step from detection to alerting. It saves you time by filtering out weak or insignificant gaps before showing them. With clear visuals you can focus on price action without digging through raw data. The dynamic reset ensures you only get one first‑bull alert per day, preventing noise. Custom timeframe selection allows you to spot gaps on any timeframe from minutes to days. The automatic cleanup keeps your workspace clutter‑free and responsive. You choose how many past gaps to keep visible, so you control chart complexity. Built‑in risk‑control filters help you avoid traps where price gap zones lack follow‑through. Alerts pop up right on the chart and can be sent to external apps for mobile convenience. Visual customization options include box opacity, line thickness, and extend length. Everything is wrapped in a straightforward interface that traders at any level can use. Whether you are scalping or swing trading this indicator adapts to your pace. It brings professional gap‑analysis techniques within reach without programming skills. By focusing on high‑confidence gaps you can refine entries and exits more effectively. Overall this indicator empowers traders to spot strong gap setups and act quickly.
Prop Firm Business SimulatorThe prop firm business simulator is exactly what it sounds like. It's a plug and play tool to test out any tradingview strategy and simulate hypothetical performance on CFD Prop Firms.
Now what is a modern day CFD Prop Firm?
These companies sell simulated trading challenges for a challenge fee. If you complete the challenge you get access to simulated capital and you get a portion of the profits you make on those accounts payed out.
I've included some popular firms in the code as presets so it's easy to simulate them. Take into account that this info will likely be out of date soon as these prices and challenge conditions change.
Also, this tool will never be able to 100% simulate prop firm conditions and all their rules. All I aim to do with this tool is provide estimations.
Now why is this tool helpful?
Most traders on here want to turn their passion into their full-time career, prop firms have lately been the buzz in the trading community and market themselves as a faster way to reach that goal.
While this all sounds great on paper, it is sometimes hard to estimate how much money you will have to burn on challenge fees and set realistic monthly payout expectations for yourself and your trading. This is where this tool comes in.
I've specifically developed this for traders that want to treat prop firms as a business. And as a business you want to know your monthly costs and income depending on the trading strategy and prop firm challenge you are using.
How to use this tool
It's quite simple you remove the top part of the script and replace it with your own strategy. Make sure it's written in same version of pinescript before you do that.
//--$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$--//--------------------------------------------------------------------------------------------------------------------------$$$$$$
//--$$$$$--Strategy-- --$$$$$$--// ******************************************************************************************************************************
//--$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$--//--------------------------------------------------------------------------------------------------------------------------$$$$$$
length = input.int(20, minval=1, group="Keltner Channel Breakout")
mult = input(2.0, "Multiplier", group="Keltner Channel Breakout")
src = input(close, title="Source", group="Keltner Channel Breakout")
exp = input(true, "Use Exponential MA", display = display.data_window, group="Keltner Channel Breakout")
BandsStyle = input.string("Average True Range", options = , title="Bands Style", display = display.data_window, group="Keltner Channel Breakout")
atrlength = input(10, "ATR Length", display = display.data_window, group="Keltner Channel Breakout")
esma(source, length)=>
s = ta.sma(source, length)
e = ta.ema(source, length)
exp ? e : s
ma = esma(src, length)
rangema = BandsStyle == "True Range" ? ta.tr(true) : BandsStyle == "Average True Range" ? ta.atr(atrlength) : ta.rma(high - low, length)
upper = ma + rangema * mult
lower = ma - rangema * mult
//--Graphical Display--// *-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-$$$$$$
u = plot(upper, color=#2962FF, title="Upper", force_overlay=true)
plot(ma, color=#2962FF, title="Basis", force_overlay=true)
l = plot(lower, color=#2962FF, title="Lower", force_overlay=true)
fill(u, l, color=color.rgb(33, 150, 243, 95), title="Background")
//--Risk Management--// *-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-*-$$$$$$
riskPerTradePerc = input.float(1, title="Risk per trade (%)", group="Keltner Channel Breakout")
le = high>upper ? false : true
se = lowlower
strategy.entry('PivRevLE', strategy.long, comment = 'PivRevLE', stop = upper, qty=riskToLots)
if se and upper>lower
strategy.entry('PivRevSE', strategy.short, comment = 'PivRevSE', stop = lower, qty=riskToLots)
The tool will then use the strategy equity of your own strategy and use this to simulat prop firms. Since these CFD prop firms work with different phases and payouts the indicator will simulate the gains until target or max drawdown / daily drawdown limit gets reached. If it reaches target it will go to the next phase and keep on doing that until it fails a challenge.
If in one of the phases there is a reward for completing, like a payout, refund, extra it will add this to the gains.
If you fail the challenge by reaching max drawdown or daily drawdown limit it will substract the challenge fee from the gains.
These gains are then visualised in the calendar so you can get an idea of yearly / monthly gains of the backtest. Remember, it is just a backtest so no guarantees of future income.
The bottom pane (non-overlay) is visualising the performance of the backtest during the phases. This way u can check if it is realistic. For instance if it only takes 1 bar on chart to reach target you are probably risking more than the firm wants you to risk. Also, it becomes much less clear if daily drawdown got hit in those high risk strategies, the results will be less accurate.
The daily drawdown limit get's reset every time there is a new dayofweek on chart.
If you set your prop firm preset setting to "'custom" the settings below that are applied as your prop firm settings. Otherwise it will use one of the template by default it's FTMO 100K.
The strategy I'm using as an example in this script is a simple Keltner Channel breakout strategy. I'm using a 0.05% commission per trade as that is what I found most common on crypto exchanges and it's close to the commissions+spread you get on a cfd prop firm. I'm targeting a 1% risk per trade in the backtest to try and stay within prop firm boundaries of max 1% risk per trade.
Lastly, the original yearly and monthly performance table was developed by Quantnomad and I've build ontop of that code. Here's a link to the original publication:
That's everything for now, hope this indicator helps people visualise the potential of prop firms better or to understand that they are not a good fit for their current financial situation.
Supertrend Profitabilty Analyzer 📊 - [JAYADEV RANA]Supertrend Profitability Analyzer 📊
🔹 Author: Jayadev Rana
🔹 Script Type: Closed-Source | Performance Analyzer
🔹 Compatible with: All symbols and timeframes
🔹 Purpose: Visualize the profitability of Supertrend configurations across a wide range of ATR lengths and Multipliers
🔍 What It Does:
This tool is designed to help traders analyze and compare the performance of Supertrend indicators across a large range of parameter combinations. It calculates trades and cumulative net profit/loss for each Supertrend configuration and displays the results in real time within an on-chart table.
The indicator simulates a long/short switch trading system based on Supertrend direction changes and logs the running unrealized and realized PnL for each configuration.
🎯 Who Is It For:
OANDA:XAUUSD
Strategy Developers: Quickly validate and visualize Supertrend parameter optimization.
Algorithmic Traders: Identify the best-performing Supertrend settings for bot automation.
Manual Traders: Understand which settings provide the best historical profitability.
Quantitative Analysts: Evaluate the effects of ATR and Factor variations systematically.
⚙️ How It Works:
Calculates 40 separate Supertrend configurations dynamically.
Monitors entries and exits by detecting changes in Supertrend direction.
Tracks net PnL (realized + unrealized) for each configuration.
Displays a PnL Summary Table for comparison:
Columns: ATR Length, Factor, Net PnL
Color-coded background for quick visual performance scanning (green = profit, red = loss).
Fully customizable with base inputs for:
ATR Length (default: 10)
Factor (default: 3.0)
Increment values for both to loop through ranges.
✅ Key Features:
Visualizes buy/sell signals for each Supertrend variation using arrows.
Tracks individual trade entries, direction (long/short), and running profitability.
Table-based display with split layout for configurations 1–19 and 20–39.
Includes configurable parameters for rapid prototyping.
📌 Important Notes (per House Rules):
This indicator does not repaint and uses confirmed bar closes only.
Strategy backtesting logic is embedded inside the script, but this is not a TradingView strategy, so use external validation or manual testing.
This is not a signal provider but an analytical tool to study Supertrend behavior.
All data shown is based on historical price action and does not guarantee future returns.
No commission/slippage is included in PnL calculations; use this tool for relative comparison only.
📈 Recommended Usage:
Timeframes: Works on all, but higher timeframes may yield cleaner trends.
Asset Types: Works with all types—crypto, stocks, forex, commodities.
Best Use Case: Use in combination with a TradingView strategy script or bot testing platform (e.g., 3Commas, WunderTrading) to further test the best performing parameters.
🧠 How to Interpret Results:
Positive Net PnL with consistent results across configurations suggests a robust trend-following opportunity.
Disparities across settings help you avoid overfitting and focus on adaptive ranges.
Look for consistent green rows in the table—those parameter combos may perform best historically.
🔐 License and Disclosure:
This script is open-source and available for educational and research purposes. No part of this script is financial advice. Use at your own discretion, and always combine tools with sound risk management.
💡 Tip: Save different templates by adjusting your base ATR and Factor values to focus on narrower parameter windows for deeper insights.
[UNITY] Follow the Flow 1.0Indicator Tracks the current Orderflow based on the last breakout
for traders who want to stay in favor of the current trend. The trend is our friend and we will follow it until it changes. And when it changes, we will be in favor of it again.
100% accuracy of the indication of the last confirmed Orderflow.
Pay attention to the multi-timeframe, since it is impossible for a trend to last once. I particularly like to observe and always be in favor of trends in larger graphical timeframes such as H1 or higher.
Use as a confluence in your pre-established entry models.
Prefer to use POI from larger timeframes (I personally do not operate against H1).
There is no buy or sell recommendation and this market is extremely volatile and risky.
HMG MA ZonesIt provides zones of possible peaks and troughs. It is an indicator that might show up at a possible top or bottom. It could be used as an overbought or oversold signal. Does Not necessarily mean that the price is topping or bottoming, but it could be possible.
Liquidty Sweeps HTF/CISD LTF🧠 High-Level Summary
This is a liquidity sweep-based trading indicator that identifies Fair Value Gaps (FVGs) on higher timeframes, waits for price to sweep key liquidity levels (like PDH, PDL, session highs/lows), and then looks for continuation signals using lower timeframe price action. It auto-detects entries, plots SL/TP, and highlights specific macro timing windows.
🧩 Core Features & Logic
1. User Inputs (Configurable)
Enable Long/Short trades
Risk/Reward ratio
Stop-loss method: Swing high/low or FVG bounds
FVG Timeframe: Define HTF for detecting Fair Value Gaps
CISD reference level: Open or High/Low for confirmation
Liquidity Reference: Choose from:
Previous Day High/Low
Previous Week High/Low
London Session High/Low
Asia Session High/Low
2. Macro Time Filters
Highlights key macro times like 6:50–7:10 AM, 9:50–10:10 AM EST etc.
Background is shaded during these times
Only allows trade entries during macro times
3. Session & Liquidity Zones
Tracks and stores:
Previous Day/Week Highs & Lows
London & Asia session highs/lows
Updates values at session or day/week boundaries
Draws these levels on the chart and labels them on the most recent bar
4. Fair Value Gap Detection
HTF FVG logic:
Bullish FVG: low > high
Bearish FVG: low > high
Also has optional same-timeframe FVG plotting
FVGs are stored in arrays and plotted as dashed boxes
5. Sweep & Entry Logic
Checks if price sweeps key liquidity levels
For shorts: price must sweep above liquidity and then reject
For longs: price must sweep below liquidity and then bounce
Confirmation candle setup:
For shorts: After sweep, price drops and closes below FVG bottom
For longs: After sweep, price rises and closes above FVG top
6. CISD (Continuation In Same Direction) Detection
After a sweep, it checks past 10–12 candles for a CISD:
Bullish: green candle with open below FVG
Bearish: red candle with open above FVG
Plots label and dashed line at CISD level (Open or High/Low depending on setting)
7. Trade Management
Entry signals are visually labeled ("Long" / "Short")
Auto-draws Stop-Loss and Take-Profit boxes based on:
Swing level
FVG boundaries (near/far)
If TP or SL is hit, boxes and labels are cleared
8. Cleanup & Debug Support
FVGs are invalidated (cleared from array) if price moves above/below them
Debug mode preserves objects for analysis
Optional debug plots and labels for internal states
AI Gold Trading IndicatorAI Gold Trading Indicator
Unlock smarter trading decisions with the AI Gold Trading Indicator — a powerful tool that combines technical analysis with simulated AI logic. Featuring adaptive buy/sell signals, probability-based insights, and customizable strategy models (Random Forest or Gradient Boosting), this indicator helps you trade with confidence on any timeframe. Perfect for traders who want clarity, precision, and edge in the gold market.
CPR with Support & ResistanceWe recommend some preconditions for Intraday Trading Strategy with CPR (Central Pivot Range)
Rules For BUY Setup with CPR
1) Today's Pivot Level Should be higher than Previous Day's Pivot Level
2) The previous day's close should be near day high.
Rules For SELL Setup with CPR
1) Today's Pivot Level Should be lower than Previous Day's Pivot Level
2) The previous day's close should be near day low.
CPR or central pivot range is the best tool available for the trader to see the price base indicator. You can use this tool i.e CPR (central pivot range) to check the price indicator in the stock market. You know the price of shares sometimes goes up or sometimes goes down in the stock market. So it will be best to stay updated and know it before the time the share market/stock market fall or rises.
ML-based Signal PredictionML Signal Prediction Engine is a next-gen market analysis tool powered by custom machine learning logic.
This indicator decodes price action using multi-feature vectors (RSI, CCI, ADX, WaveTrend) and classifies upcoming market moves.
⚙️ Core Features:
Smart Buy/Sell Signals
Noise-filtered entries with dynamic & strict exits
Volatility, Regime & Trend-based filters
Real-time performance table (Win/Loss, Flips, Stats)
Kernel-powered trend detection + smart trail overlay
🎯 Built for traders who want clean signals, smart logic, and no fluff.
✅ Zero lag.
✅ No repaint.
✅ Pure logic.
🧪 For research & educational use only — not financial advice.
#MLSignals
#MachineLearningTrading
#SmartBuySell
#NonRepainting
#AdvancedIndicator
#AlgoTrading
#SignalPrediction
#KernelRegression
#QuantSignals
#MLBasedStrategy
#CustomIndicator
#TradingAI
#Hunterbybirth
#InviteOnlyScript
#PrecisionSignals
#TradingView
#TradingViewIndia
#TradingViewSignals
#TradingScript
#PineScript
#InviteOnlyScript
#TechnicalAnalysis
#PriceAction
#ChartPatterns
#AlgoTrader
#IndicatorDevelopment
#ScriptSharing
#BacktestReady
#TrendFilter
#TradingCommunity
PRO Strategy 3TP (v2.1)**PRO Strategy 3TP (v2.1) - TradingView Strategy Guide**
**ENG | **
---
### **Strategy Overview**
The **PRO Strategy 3TP** combines multi-timeframe analysis, trend filters, and dynamic risk management to capture trends with precision. It uses EMA/HMA/SMA crossovers, CCI for overbought/oversold conditions, ADX for trend strength, and ATR-based stops/take-profits. The strategy’s uniqueness lies in its **three-tier profit-taking system**, adaptive multi-timeframe logic, and automatic stop-loss movement to breakeven after TP1.
---
### **Key Features**
1. **Multi-Timeframe Analysis**: Uses higher timeframe (e.g., 1H, 4H) indicators to filter entries on your chart’s timeframe.
2. **Trend Filters**: Combines EMA, HMA, and SMA to confirm trend direction.
3. **CCI + ADX Filters**: Avoids false signals by requiring momentum (CCI) and trend strength (ADX > threshold).
4. **ATR Volatility Adjustments**: Stop-loss (SL) and take-profits (TP1/TP2/TP3) adapt to market volatility.
5. **Breakeven Stop**: SL moves to entry price after TP1 is hit, locking in profits.
---
### **Setup & Configuration**
1. **Input Parameters**:
- **Trading Mode**: Choose LONG, SHORT, or BOTH.
- **Indicator Timeframe**: Select a higher timeframe (e.g., "60" for 1H).
- **EMA/HMA/SMA**: Toggle on/off and set lengths (default: 100, 50, 200).
- **CCI**: Set length (default: 4), overbought (+100), oversold (-100).
- **ADX**: Set length (default: 14) and threshold (default: 26).
- **ATR**: Period (default: 19), SL/TP multipliers (default: SL=5x, TP1=1x, TP2=1.3x, TP3=1.7x).
2. **Position Sizing**:
- **Always specify size in contracts**, not percentages. Calculate contracts based on your risk per trade (e.g., 1-2% of capital).
3. **Multi-Timeframe Logic**:
- Example: If your chart is 15M, set the indicator timeframe to 1H. Entries trigger when the 15M price aligns with the 1H trend.
---
### **How It Works**
- **Entry Conditions**:
- **Long**: Price > EMA/HMA/SMA + CCI < -100 (oversold) + ADX > 26 (strong trend).
- **Short**: Price < EMA/HMA/SMA + CCI > +100 (overbought) + ADX > 26.
- **Exits**:
- **SL**: 5x ATR from entry.
- **TP1**: 1x ATR profit. After TP1 hits, SL moves to breakeven.
- **TP2/TP3**: 1.3x and 1.7x ATR profit.
---
### **Example Configurations**
1. **Scalping (1-15M Chart)**:
- EMA=50, HMA=20, SMA=OFF, CCI=3, ATR=14, SL=3x, TP1=0.8x.
- Indicator TF: 5M.
2. **Swing Trading (1H-4H Chart)**:
- EMA=100, HMA=50, SMA=200, ADX=20, SL=5x, TP1=1x.
- Indicator TF: 1D.
3. **Trend Following (Daily Chart)**:
- SMA=200, ADX=25, CCI=OFF, SL=6x, TP3=2x.
---
### **ADX Explanation**
The ADX (Average Directional Index) measures trend strength. Values above 25 indicate a strong trend. The strategy uses ADX to avoid trading in sideways markets.
---
### **Risk Management**
- **Past results do NOT guarantee future performance**.
- **No universal settings**: Optimize for each asset (BTC vs. alts behave differently).
- Test settings in a demo account before live trading.
- Never risk more than 1-5% per trade.
---
### **FAQ**
**Q: Why specify position size in contracts?**
A: Contracts let you precisely control risk. For example, if your SL is 50 points and you risk $100, size = 100 / (SL distance * contract value).
**Q: How does the breakeven stop work?**
A: After TP1 (33% position closed), the SL moves to entry price, eliminating risk for the remaining position.
**Q: Can I use this on stocks/forex?**
A: Yes, but re-optimize ATR/SL/TP settings for each market’s volatility.
---
**ПРО Стратегия 3TP (v2.1) - Руководство для TradingView**
---
### **Описание стратегии**
**PRO Strategy 3TP** сочетает мультитаймфрейм-анализ, фильтры тренда и динамическое управление рисками. Уникальность: **три уровня тейк-профита**, адаптивные настройки под разные таймфреймы, автоматический перевод стопа в безубыток после TP1.
---
### **Особенности**
1. **Мультитаймфрейм**: Индикаторы строятся на старшем ТФ (например, 1H) для фильтрации сигналов.
2. **Тренд**: Комбинация EMA, HMA, SMA.
3. **CCI + ADX**: CCI определяет перекупленность/перепроданность, ADX — силу тренда.
4. **ATR**: Стопы и тейки адаптируются к волатильности.
5. **Стоп в безубыток**: После TP1 стоп двигается к цене входа.
---
### **Настройка**
1. **Параметры**:
- **Режим**: LONG, SHORT или LONG/SHORT.
- **Таймфрейм индикаторов**: Выберите старший ТФ (например, 1H).
- **EMA/HMA/SMA**: Длины (по умолчанию: 100, 50, 200).
- **CCI**: Уровни перекупленности (+100)/перепроданности (-100).
- **ADX**: Порог силы тренда (26).
- **ATR**: Период (19), множители SL/TP.
2. **Объем позиции**:
- Указывайте в **контрактах**, а не в процентах. Рассчитывайте на основе риска на сделку.
3. **Мультитаймфрейм**:
- Пример: На 15-минутном графике используйте индикаторы с 1H.
---
### **Логика работы**
- **Вход**:
- **Лонг**: Цена выше EMA/HMA/SMA + CCI < -100 + ADX > 26.
- **Шорт**: Цена ниже EMA/HMA/SMA + CCI > +100 + ADX > 26.
- **Выход**:
- **SL**: 5x ATR от цены входа.
- **TP1**: 1x ATR. После TP1 стоп двигается в безубыток.
- **TP2/TP3**: 1.3x и 1.7x ATR.
---
### **Примеры настроек**
1. **Скальпинг (1-15M)**:
- EMA=50, HMA=20, CCI=3, SL=3x, TP1=0.8x.
2. **Свинг (1H-4H)**:
- SMA=200, ADX=20, SL=5x.
3. **Тренд (Daily)**:
- ADX=25, SL=6x, TP3=2x.
---
### **Как работает ADX**
ADX измеряет силу тренда. Значения выше 25 сигнализируют о сильном тренде. Стратегия избегает входов при ADX < 26.
---
### **Риски**
- **Исторические результаты не гарантируют будущие**.
- **Нет универсальных настроек**: Оптимизируйте под каждый актив (BTC vs. альты).
- Тестируйте на демо-счете.
- Рискуйте не более 1-5% на сделку.
---
### **FAQ**
**В: Почему объем в контрактах?**
О: Чтобы точно контролировать риск. Пример: если стоп = 50 пунктов, а риск = $100, объем = 100 / (стоп * стоимость контракта).
**В: Как работает стоп в безубыток?**
О: После закрытия 33% позиции (TP1), стоп переносится на цену входа, защищая оставшуюся позицию.
**В: Подходит для акций/форекс?**
О: Да, но перенастройте ATR/SL/TP под волатильность рынка.
---
**⚠️ Warning / Предупреждение**: Trading involves high risk. Always backtest and optimize strategies. Use stop-losses. / Торговля связана с риском. Всегда тестируйте стратегии. Используйте стоп-лоссы.
vusalfx v3 Nzd/Usd 1m(RR 1:3)Indicator Description (for NZD/USD 1-Minute Chart)
This indicator is designed for scalping on the NZD/USD currency pair using a 1-minute timeframe. It combines exponential moving averages and the Relative Strength Index (RSI) to generate potential trade signals with a defined risk-to-reward ratio.
Risk/Reward Ratio: 1:3 (Risking 1% to gain 3%)
Stop Loss: 1%
Take Profit: 3%
EMA 9 (Fast EMA): Displayed in orange
EMA 21 (Slow EMA): Displayed in blue
RSI: 14-period RSI for momentum confirmation
The strategy looks for trend continuation and momentum setups based on EMA crossovers and RSI confirmation, with strict risk management.
Bitcoin NUPL IndicatorThe Bitcoin NUPL (Net Unrealized Profit/Loss) Indicator is a powerful metric that shows the difference between Bitcoin's market cap and realized cap as a percentage of market cap. This indicator helps identify different market cycle phases, from capitulation to euphoria.
// How It Works
NUPL measures the aggregate profit or loss held by Bitcoin investors, calculated as:
```
NUPL = ((Market Cap - Realized Cap) / Market Cap) * 100
```
// Market Cycle Phases
The indicator automatically color-codes different market phases:
• **Deep Red (< 0%)**: Capitulation Phase - Most coins held at a loss, historically excellent buying opportunities
• **Orange (0-25%)**: Hope & Fear Phase - Early accumulation, price uncertainty and consolidation
• **Yellow (25-50%)**: Optimism & Anxiety Phase - Emerging bull market, increasing confidence
• **Light Green (50-75%)**: Belief & Denial Phase - Strong bull market, high conviction
• **Bright Green (> 75%)**: Euphoria & Greed Phase - Potential market top, historically good profit-taking zone
// Features
• Real-time NUPL calculation with customizable smoothing
• RSI indicator for additional momentum confirmation
• Color-coded background reflecting current market phase
• Reference lines marking key transition zones
• Detailed metrics table showing NUPL value, market sentiment, market cap, realized cap, and RSI
// Strategy Applications
• **Long-term investors**: Use extreme negative NUPL values (deep red) to identify potential bottoms for accumulation
• **Swing traders**: Look for transitions between phases for potential trend changes
• **Risk management**: Consider taking profits when entering the "Euphoria & Greed" phase (bright green)
• **Mean reversion**: Watch for overbought/oversold conditions when NUPL reaches historical extremes
// Settings
• **RSI Length**: Adjusts the period for RSI calculation
• **NUPL Smoothing Length**: Applies moving average smoothing to reduce noise
// Notes
• Premium TradingView subscription required for Glassnode and Coin Metrics data
• Best viewed on daily timeframes for macro analysis
• Historical NUPL extremes have often marked cycle bottoms and tops
• Use in conjunction with other indicators for confirmation
LvlPrice levels for Nasdaq NQ
using NDX and QQQ Price levels and convert them daily to NQ
Levels derived from
Option Flow
Whales target
GEX Levels
0dtde Levels
Largest Sweeps
Darkpools
Zonas Horarias (UTC-3)
--------------------------------------------------------------------------------------------------
This script colors the background of the chart based on three key time ranges, using the UTC-3 time zone (for example, Buenos Aires or Montevideo). It's useful for traders who want to visually identify specific time blocks to analyze price action or plan their daily trading activities.
🕒 What does it do? Marks three user-defined time ranges on the chart.
Uses different colors for each session.
The background is colored only when the price is within each time range.
🧭 Highlighted Time Zones:
DAILY → from 00:00 to 00:15 (can be used as a reference for the start of the day).
PRE-SESSION → from 02:15 to 03:15 (useful for visualizing a pre-market or session preparation).
NEW-YORK → from 09:00 to 17:00 (the typical American session time).
⚙️ Customization: You can change the session times from the script's settings panel.
The background colors are defined with transparency so they don't interfere with other chart elements.
📌 Notes:
This script does not generate buy or sell signals.
It is designed purely as a visual tool for intraday analysis.
Optimized for the Etc/GMT+3 time zone (equivalent to UTC-3). Be sure to use this time zone for the time blocks to appear correctly.
___________________________________________________________
Este script colorea el fondo del gráfico en función de tres franjas horarias clave, usando la zona horaria UTC-3 (por ejemplo, Buenos Aires o Montevideo). Es útil para traders que desean identificar visualmente bloques de tiempo específicos para analizar la acción del precio o planificar su operativa diaria.
🧠 ¿Para qué se usa?
Este indicador forma parte de la Estrategia 2 del TraderNocturno, y se utiliza para delimitar zonas horarias relevantes dentro del análisis intradía. Permite una mejor interpretación del contexto temporal del precio.
🕒 ¿Qué hace?
Marca en el gráfico tres rangos horarios definidos por el usuario.
Usa colores distintos para cada sesión.
El fondo se colorea únicamente cuando el precio está dentro de cada franja horaria.
🧭 Zonas horarias destacadas:
DIARIA → de 00:00 a 00:15 (referencia del inicio de jornada).
PRE-SESSION → de 02:15 a 03:15 (usada como zona de preparación o acumulación).
NEW-YORK → de 09:00 a 17:00 (sesión americana, horario clave para movimientos fuertes).
⚙️ Personalización:
Puedes cambiar los horarios desde el panel de configuración.
Colores semitransparentes para una visualización clara sin interferir con otros indicadores.
📌 Notas:
Este script es una herramienta visual, no genera señales de compra o venta.
Optimizado para la zona horaria Etc/GMT+3 (UTC-3). Asegúrate de usar esta zona para que los bloques se representen correctamente.
Price Action Swing High & LowThis indicator is auto plot Swing High and Swing Low and also it identifies Buy Zone and Sell Zones.
Cyclical CALL/PUT StrategyThis script identifies optimal CALL (long) and PUT (short) entries using a cyclical price wave modeled from a sine function and confirmed with trend direction via a 200 EMA.
Strategy Highlights:
Cycle-Based Signal: Detects market rhythm with a smoothed sinusoidal wave.
Trend Confirmation: Filters entries using a customizable EMA (default: 200).
Auto-Scaling: Wave height adjusts dynamically to price action volatility.
Risk Parameters:
Take Profit: Default 5% (customizable)
Stop Loss: Default 2% (customizable)
Signal Triggers:
CALL Entry: Price crosses above the scaled wave and in an uptrend
PUT Entry: Price crosses below the scaled wave and in a downtrend
Inputs:
Cycle Length
Smoothing
Wave Height
EMA Trend Length
Take Profit %
Stop Loss %
Visuals:
Gray line = Scaled Cycle Wave
Orange line = 200 EMA Trend Filter
Best For: Traders looking to make 1–2 high-probability trades per week on SPY or other highly liquid assets.
Timeframes: Works well on 2-min, 15-min, and daily charts.
Global M2/M3 Liquidity IndexThis Indicator takes M3 data from 20 of the largest Central banks. M3 data is not available for USA and CHINA and has been substituted with M2.
Overall M3 captures far more than M2 and is therefore a superior model when attempting to track global liquidity.
This indicator also allows the data to be pushed forward to adjust for the lagged effect global liquidity has on markets.
The recommended lag is 90 days.
Directional Bias | FractalystNote: This indicator is specifically designed to integrate with the Quantify suite, automating bias detection through input.source(). While other scripts may provide similar functionality, this indicator uniquely connects with Quantify by outputting precise bias values: bullish (1), bearish (-1), or neutral (0).
What is the Directional Bias indicator?
The Directional Bias indicator is a powerful tool designed to automatically identify market bias (bullish, bearish, or neutral) using a sophisticated system of moving averages and filters. It serves as the perfect companion to the Quantify suite, allowing traders to objectively determine market direction without relying on subjective analysis or emotional decision-making.
How does the Directional Bias indicator work?
The indicator utilizes up to four customizable moving averages (MA) with various types (SMA, EMA, HMA, VWMA, etc.) and timeframes to determine market direction. It analyzes price action relative to these moving averages and applies user-defined filters to calculate whether the current market condition is bullish, bearish, or neutral.
What makes this indicator different from other trend indicators?
- Unlike traditional trend indicators that rely on a single moving average or oscillator, the Directional Bias indicator offers:
- Multi-moving average analysis with up to 4 different MAs
- Customizable MA types (SMA, EMA, WMA, VWMA, RMA, HMA, DEMA, TEMA, etc.)
- Multi-timeframe functionality for each MA
- Configurable filters to eliminate false signals
- Clear visual representation of bias directly on your charts
How does this indicator integrate with the Quantify?
- The Directional Bias indicator serves as the automated "bias detection engine" for the Quantify suite. While the original Quantify model required manual bias selection, this integration allows Quantify to automatically detect market bias and adjust its calculations accordingly. This creates a more streamlined workflow where Quantify can focus on identifying high-probability setups aligned with the objectively determined market direction.
Who is this indicator designed for?
This indicator is perfect for:
- Traders who use the Quantify suite and want to automate bias detection
- Technical analysts seeking objective trend confirmation
- Systematic traders who need clear rules for market direction
- Any trader looking to remove subjectivity from their directional analysis
What are the key benefits of using the Directional Bias indicator?
- Objective Analysis: Removes emotion and subjectivity from market direction determination
- Customizable: Adapt to your preferred timeframes and moving average types
- Visual Clarity: Instantly see market bias directly on your charts
- Seamless Quantify Integration: Automates what was previously a manual step in the Quantify workflow
- Enhanced Decision-Making: Provides clear signals for when to look for long vs. short opportunities
How can I optimize the Directional Bias indicator for my trading style?
You can customize:
- MA types for different market conditions (trending vs. ranging)
- MA lengths for sensitivity adjustment (shorter for quick signals, longer for reduced noise)
- Timeframes for each MA to incorporate multi-timeframe analysis
- Filter conditions to refine signals based on your risk tolerance
How does this indicator fit into a complete trading system?
The Directional Bias indicator serves as the first essential component in a complete system:
- Step 1: Use Directional Bias to determine market direction
- Step 2: Let Quantify identify high-probability entry setups aligned with that direction
- Step 3: Implement proper risk management using Quantify's Kelly Criterion calculations
- Step 4: Manage your trades with Quantify's trailing stop mechanisms
What technical innovations does this indicator offer?
- The indicator leverages advanced Pine Script functionality to deliver:
- Real-time bias calculation across multiple timeframes
- Non-repainting signals that provide reliable analysis
- Optimized code for smooth performance
- Visual color-coding for instant bias recognition
- Seamless integration with the broader Quantify ecosystem
To implement: Add both indicators to your chart, select Directional Bias as Quantify's external input source, and the system will automatically adjust calculations based on the detected market bias.